TV Script Generation

In this project, you'll generate your own Simpsons TV scripts using RNNs. You'll be using part of the Simpsons dataset of scripts from 27 seasons. The Neural Network you'll build will generate a new TV script for a scene at Moe's Tavern.

Get the Data

The data is already provided for you. You'll be using a subset of the original dataset. It consists of only the scenes in Moe's Tavern. This doesn't include other versions of the tavern, like "Moe's Cavern", "Flaming Moe's", "Uncle Moe's Family Feed-Bag", etc..

In [1]:
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import helper

data_dir = './data/simpsons/moes_tavern_lines.txt'
text = helper.load_data(data_dir)
# Ignore notice, since we don't use it for analysing the data
text = text[81:]

Explore the Data

Play around with view_sentence_range to view different parts of the data.

In [2]:
view_sentence_range = (0, 10)

"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import numpy as np

print('Dataset Stats')
print('Roughly the number of unique words: {}'.format(len({word: None for word in text.split()})))
scenes = text.split('\n\n')
print('Number of scenes: {}'.format(len(scenes)))
sentence_count_scene = [scene.count('\n') for scene in scenes]
print('Average number of sentences in each scene: {}'.format(np.average(sentence_count_scene)))

sentences = [sentence for scene in scenes for sentence in scene.split('\n')]
print('Number of lines: {}'.format(len(sentences)))
word_count_sentence = [len(sentence.split()) for sentence in sentences]
print('Average number of words in each line: {}'.format(np.average(word_count_sentence)))

print()
print('The sentences {} to {}:'.format(*view_sentence_range))
print('\n'.join(text.split('\n')[view_sentence_range[0]:view_sentence_range[1]]))
Dataset Stats
Roughly the number of unique words: 11492
Number of scenes: 262
Average number of sentences in each scene: 15.248091603053435
Number of lines: 4257
Average number of words in each line: 11.50434578341555

The sentences 0 to 10:
Moe_Szyslak: (INTO PHONE) Moe's Tavern. Where the elite meet to drink.
Bart_Simpson: Eh, yeah, hello, is Mike there? Last name, Rotch.
Moe_Szyslak: (INTO PHONE) Hold on, I'll check. (TO BARFLIES) Mike Rotch. Mike Rotch. Hey, has anybody seen Mike Rotch, lately?
Moe_Szyslak: (INTO PHONE) Listen you little puke. One of these days I'm gonna catch you, and I'm gonna carve my name on your back with an ice pick.
Moe_Szyslak: What's the matter Homer? You're not your normal effervescent self.
Homer_Simpson: I got my problems, Moe. Give me another one.
Moe_Szyslak: Homer, hey, you should not drink to forget your problems.
Barney_Gumble: Yeah, you should only drink to enhance your social skills.


Implement Preprocessing Functions

The first thing to do to any dataset is preprocessing. Implement the following preprocessing functions below:

  • Lookup Table
  • Tokenize Punctuation

Lookup Table

To create a word embedding, you first need to transform the words to ids. In this function, create two dictionaries:

  • Dictionary to go from the words to an id, we'll call vocab_to_int
  • Dictionary to go from the id to word, we'll call int_to_vocab

Return these dictionaries in the following tuple (vocab_to_int, int_to_vocab)

In [3]:
import numpy as np
import problem_unittests as tests

def create_lookup_tables(text):
    """
    Create lookup tables for vocabulary
    :param text: The text of tv scripts split into words
    :return: A tuple of dicts (vocab_to_int, int_to_vocab)
    """
    # TODO: Implement Function
    text_sorted = sorted(list(set(text)))
    vocab_to_int = dict((word, i) for i, word in enumerate(text_sorted))
    int_to_vocab = dict((i, word) for i, word in enumerate(text_sorted))
    return (vocab_to_int, int_to_vocab)


"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_create_lookup_tables(create_lookup_tables)
Tests Passed

Tokenize Punctuation

We'll be splitting the script into a word array using spaces as delimiters. However, punctuations like periods and exclamation marks make it hard for the neural network to distinguish between the word "bye" and "bye!".

Implement the function token_lookup to return a dict that will be used to tokenize symbols like "!" into "||Exclamation_Mark||". Create a dictionary for the following symbols where the symbol is the key and value is the token:

  • Period ( . )
  • Comma ( , )
  • Quotation Mark ( " )
  • Semicolon ( ; )
  • Exclamation mark ( ! )
  • Question mark ( ? )
  • Left Parentheses ( ( )
  • Right Parentheses ( ) )
  • Dash ( -- )
  • Return ( \n )

This dictionary will be used to token the symbols and add the delimiter (space) around it. This separates the symbols as it's own word, making it easier for the neural network to predict on the next word. Make sure you don't use a token that could be confused as a word. Instead of using the token "dash", try using something like "||dash||".

In [4]:
def token_lookup():
    """
    Generate a dict to turn punctuation into a token.
    :return: Tokenize dictionary where the key is the punctuation and the value is the token
    """
    # TODO: Implement Function
    values = ['||Period||','||Comma||','||Quotation_Mark||','||Semicolon||','||Exclamation_mark||','||Question_mark||','||Left_Parentheses||','||Right_Parentheses||','||Dash||','||Return||']
    keys = ['.', ',', '"', ';', '!', '?', '(', ')', '--','\n'] 
    return (dict(zip(keys,values)))


"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_tokenize(token_lookup)
Tests Passed

Preprocess all the data and save it

Running the code cell below will preprocess all the data and save it to file.

In [5]:
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
# Preprocess Training, Validation, and Testing Data
helper.preprocess_and_save_data(data_dir, token_lookup, create_lookup_tables)

Check Point

This is your first checkpoint. If you ever decide to come back to this notebook or have to restart the notebook, you can start from here. The preprocessed data has been saved to disk.

In [6]:
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import helper
import numpy as np
import problem_unittests as tests

int_text, vocab_to_int, int_to_vocab, token_dict = helper.load_preprocess()

Build the Neural Network

You'll build the components necessary to build a RNN by implementing the following functions below:

  • get_inputs
  • get_init_cell
  • get_embed
  • build_rnn
  • build_nn
  • get_batches

Check the Version of TensorFlow and Access to GPU

In [7]:
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
from distutils.version import LooseVersion
import warnings
import tensorflow as tf

# Check TensorFlow Version
assert LooseVersion(tf.__version__) >= LooseVersion('1.0'), 'Please use TensorFlow version 1.0 or newer'
print('TensorFlow Version: {}'.format(tf.__version__))

# Check for a GPU
if not tf.test.gpu_device_name():
    warnings.warn('No GPU found. Please use a GPU to train your neural network.')
else:
    print('Default GPU Device: {}'.format(tf.test.gpu_device_name()))
TensorFlow Version: 1.0.0
Default GPU Device: /gpu:0

Input

Implement the get_inputs() function to create TF Placeholders for the Neural Network. It should create the following placeholders:

  • Input text placeholder named "input" using the TF Placeholder name parameter.
  • Targets placeholder
  • Learning Rate placeholder

Return the placeholders in the following the tuple (Input, Targets, LearingRate)

In [8]:
def get_inputs():
    """
    Create TF Placeholders for input, targets, and learning rate.
    :return: Tuple (input, targets, learning rate)
    """
    # TODO: Implement Function
    Input = tf.placeholder(tf.int32,[None,None],name = 'input')
    Targets = tf.placeholder(tf.int32,[None,None],name = 'Targets')
    LearningRate = tf.placeholder(tf.float32,None,name = 'LearningRate')
    return Input, Targets, LearningRate

"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_inputs(get_inputs)
Tests Passed

Build RNN Cell and Initialize

Stack one or more BasicLSTMCells in a MultiRNNCell.

  • The Rnn size should be set using rnn_size
  • Initalize Cell State using the MultiRNNCell's zero_state() function
    • Apply the name "initial_state" to the initial state using tf.identity()

Return the cell and initial state in the following tuple (Cell, InitialState)

In [9]:
def get_init_cell(batch_size, rnn_size):
    """
    Create an RNN Cell and initialize it.
    :param batch_size: Size of batches
    :param rnn_size: Size of RNNs
    :return: Tuple (cell, initialize state)
    """
    # TODO: Implement Function
    lstm_layers = 2
    keep_prob = 0.5
    lstm = tf.contrib.rnn.BasicLSTMCell(rnn_size)
    drop = tf.contrib.rnn.DropoutWrapper(lstm, output_keep_prob=keep_prob)
    cell = tf.contrib.rnn.MultiRNNCell([drop] * lstm_layers)
    initial_state = cell.zero_state(batch_size, tf.int32)
    initial_state = tf.identity(initial_state, name='initial_state')
    return cell, initial_state


"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_init_cell(get_init_cell)
Tests Passed

Word Embedding

Apply embedding to input_data using TensorFlow. Return the embedded sequence.

In [10]:
def get_embed(input_data, vocab_size, embed_dim):
    """
    Create embedding for <input_data>.
    :param input_data: TF placeholder for text input.
    :param vocab_size: Number of words in vocabulary.
    :param embed_dim: Number of embedding dimensions
    :return: Embedded input.
    """
    # TODO: Implement Function
    embedding = tf.Variable(tf.random_uniform((vocab_size, embed_dim), -1, 1))
    embedded = tf.nn.embedding_lookup(embedding, input_data)
    return embedded


"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_embed(get_embed)
Tests Passed

Build RNN

You created a RNN Cell in the get_init_cell() function. Time to use the cell to create a RNN.

Return the outputs and final_state state in the following tuple (Outputs, FinalState)

In [11]:
def build_rnn(cell, inputs):
    """
    Create a RNN using a RNN Cell
    :param cell: RNN Cell
    :param inputs: Input text data
    :return: Tuple (Outputs, Final State)
    """
    # TODO: Implement Function
    outputs, final_state = tf.nn.dynamic_rnn(cell, inputs, dtype=tf.float32)
    final_state = tf.identity(final_state, name='final_state')
    return outputs, final_state


"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_build_rnn(build_rnn)
Tests Passed

Build the Neural Network

Apply the functions you implemented above to:

  • Apply embedding to input_data using your get_embed(input_data, vocab_size, embed_dim) function.
  • Build RNN using cell and your build_rnn(cell, inputs) function.
  • Apply a fully connected layer with a linear activation and vocab_size as the number of outputs.

Return the logits and final state in the following tuple (Logits, FinalState)

In [12]:
def build_nn(cell, rnn_size, input_data, vocab_size):
    """
    Build part of the neural network
    :param cell: RNN cell
    :param rnn_size: Size of rnns
    :param input_data: Input data
    :param vocab_size: Vocabulary size
    :return: Tuple (Logits, FinalState)
    """
    # TODO: Implement Function
    embed = get_embed(input_data, vocab_size, rnn_size)
    outputs, final_state = build_rnn(cell, embed)
    logits = tf.contrib.layers.fully_connected(outputs, vocab_size, 
                                           weights_initializer=tf.truncated_normal_initializer(stddev=0.01),
                                           biases_initializer=tf.zeros_initializer(),
                                           activation_fn=None)
    return logits, final_state


"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_build_nn(build_nn)
Tests Passed

Batches

Implement get_batches to create batches of input and targets using int_text. The batches should be a Numpy array with the shape (number of batches, 2, batch size, sequence length). Each batch contains two elements:

  • The first element is a single batch of input with the shape [batch size, sequence length]
  • The second element is a single batch of targets with the shape [batch size, sequence length]

If you can't fill the last batch with enough data, drop the last batch.

For exmple, get_batches([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15], 2, 3) would return a Numpy array of the following:

[
  # First Batch
  [
    # Batch of Input
    [[ 1  2  3], [ 7  8  9]],
    # Batch of targets
    [[ 2  3  4], [ 8  9 10]]
  ],

  # Second Batch
  [
    # Batch of Input
    [[ 4  5  6], [10 11 12]],
    # Batch of targets
    [[ 5  6  7], [11 12 13]]
  ]
]
In [13]:
def get_batches(int_text, batch_size, seq_length):
    """
    Return batches of input and target
    :param int_text: Text with the words replaced by their ids
    :param batch_size: The size of batch
    :param seq_length: The length of sequence
    :return: Batches as a Numpy array
    """
    # TODO: Implement Function
    n_batches = len(int_text)//(batch_size*seq_length)

    # only full batches
    int_text = int_text[:n_batches*batch_size*seq_length+1]

    # Initialize result & calculate skip distance
    result=np.ndarray(shape=(n_batches,2,batch_size,seq_length), dtype=int)
    skipdistance = n_batches*seq_length    

    # First loop steps at batch_size * seq_length
    for b in range(n_batches):
        batch_idx = b*seq_length
        x , y= [], []
    for bb in range(batch_size):
        idx = batch_idx + (bb*skipdistance) # get starting index for batch
        x_idx = idx
        y_idx = idx+1          
        result[b][0][bb] = int_text[x_idx:x_idx+seq_length]
        result[b][1][bb] = int_text[y_idx:y_idx+seq_length]                   
    return result


"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_batches(get_batches)
Tests Passed

Neural Network Training

Hyperparameters

Tune the following parameters:

  • Set num_epochs to the number of epochs.
  • Set batch_size to the batch size.
  • Set rnn_size to the size of the RNNs.
  • Set seq_length to the length of sequence.
  • Set learning_rate to the learning rate.
  • Set show_every_n_batches to the number of batches the neural network should print progress.
In [14]:
# Number of Epochs
num_epochs = 100
# Batch Size
batch_size = 256
# RNN Size
rnn_size = 1024
# Sequence Length
seq_length = 10
# Learning Rate
learning_rate = 0.01
# Show stats for every n number of batches
show_every_n_batches = 20

"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
save_dir = './save'

Build the Graph

Build the graph using the neural network you implemented.

In [15]:
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
from tensorflow.contrib import seq2seq

train_graph = tf.Graph()
with train_graph.as_default():
    vocab_size = len(int_to_vocab)
    input_text, targets, lr = get_inputs()
    input_data_shape = tf.shape(input_text)
    cell, initial_state = get_init_cell(input_data_shape[0], rnn_size)
    logits, final_state = build_nn(cell, rnn_size, input_text, vocab_size)

    # Probabilities for generating words
    probs = tf.nn.softmax(logits, name='probs')

    # Loss function
    cost = seq2seq.sequence_loss(
        logits,
        targets,
        tf.ones([input_data_shape[0], input_data_shape[1]]))

    # Optimizer
    optimizer = tf.train.AdamOptimizer(lr)

    # Gradient Clipping
    gradients = optimizer.compute_gradients(cost)
    capped_gradients = [(tf.clip_by_value(grad, -1., 1.), var) for grad, var in gradients]
    train_op = optimizer.apply_gradients(capped_gradients)

Train

Train the neural network on the preprocessed data. If you have a hard time getting a good loss, check the forms to see if anyone is having the same problem.

In [16]:
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
batches = get_batches(int_text, batch_size, seq_length)

with tf.Session(graph=train_graph) as sess:
    sess.run(tf.global_variables_initializer())

    for epoch_i in range(num_epochs):
        state = sess.run(initial_state, {input_text: batches[0][0]})

        for batch_i, (x, y) in enumerate(batches):
            feed = {
                input_text: x,
                targets: y,
                initial_state: state,
                lr: learning_rate}
            train_loss, state, _ = sess.run([cost, final_state, train_op], feed)

            # Show every <show_every_n_batches> batches
            if (epoch_i * len(batches) + batch_i) % show_every_n_batches == 0:
                print('Epoch {:>3} Batch {:>4}/{}   train_loss = {:.3f}'.format(
                    epoch_i,
                    batch_i,
                    len(batches),
                    train_loss))

    # Save Model
    saver = tf.train.Saver()
    saver.save(sess, save_dir)
    print('Model Trained and Saved')
Epoch   0 Batch    0/26   train_loss = 8.840
Epoch   0 Batch   20/26   train_loss = 0.000
Epoch   1 Batch   14/26   train_loss = 0.000
Epoch   2 Batch    8/26   train_loss = 0.001
Epoch   3 Batch    2/26   train_loss = 0.083
Epoch   3 Batch   22/26   train_loss = 0.004
Epoch   4 Batch   16/26   train_loss = 0.001
Epoch   5 Batch   10/26   train_loss = 0.009
Epoch   6 Batch    4/26   train_loss = 0.003
Epoch   6 Batch   24/26   train_loss = 0.000
Epoch   7 Batch   18/26   train_loss = 0.001
Epoch   8 Batch   12/26   train_loss = 0.001
Epoch   9 Batch    6/26   train_loss = 0.002
Epoch  10 Batch    0/26   train_loss = 0.000
Epoch  10 Batch   20/26   train_loss = 0.000
Epoch  11 Batch   14/26   train_loss = 0.001
Epoch  12 Batch    8/26   train_loss = 0.001
Epoch  13 Batch    2/26   train_loss = 0.000
Epoch  13 Batch   22/26   train_loss = 0.000
Epoch  14 Batch   16/26   train_loss = 0.000
Epoch  15 Batch   10/26   train_loss = 0.001
Epoch  16 Batch    4/26   train_loss = 0.001
Epoch  16 Batch   24/26   train_loss = 0.000
Epoch  17 Batch   18/26   train_loss = 0.000
Epoch  18 Batch   12/26   train_loss = 0.001
Epoch  19 Batch    6/26   train_loss = 0.001
Epoch  20 Batch    0/26   train_loss = 0.000
Epoch  20 Batch   20/26   train_loss = 0.000
Epoch  21 Batch   14/26   train_loss = 0.001
Epoch  22 Batch    8/26   train_loss = 0.001
Epoch  23 Batch    2/26   train_loss = 0.000
Epoch  23 Batch   22/26   train_loss = 0.000
Epoch  24 Batch   16/26   train_loss = 0.000
Epoch  25 Batch   10/26   train_loss = 0.001
Epoch  26 Batch    4/26   train_loss = 0.001
Epoch  26 Batch   24/26   train_loss = 0.000
Epoch  27 Batch   18/26   train_loss = 0.000
Epoch  28 Batch   12/26   train_loss = 0.001
Epoch  29 Batch    6/26   train_loss = 0.000
Epoch  30 Batch    0/26   train_loss = 0.000
Epoch  30 Batch   20/26   train_loss = 0.000
Epoch  31 Batch   14/26   train_loss = 0.000
Epoch  32 Batch    8/26   train_loss = 0.001
Epoch  33 Batch    2/26   train_loss = 0.000
Epoch  33 Batch   22/26   train_loss = 0.000
Epoch  34 Batch   16/26   train_loss = 0.000
Epoch  35 Batch   10/26   train_loss = 0.001
Epoch  36 Batch    4/26   train_loss = 0.000
Epoch  36 Batch   24/26   train_loss = 0.000
Epoch  37 Batch   18/26   train_loss = 0.000
Epoch  38 Batch   12/26   train_loss = 0.000
Epoch  39 Batch    6/26   train_loss = 0.000
Epoch  40 Batch    0/26   train_loss = 0.000
Epoch  40 Batch   20/26   train_loss = 0.000
Epoch  41 Batch   14/26   train_loss = 0.000
Epoch  42 Batch    8/26   train_loss = 0.000
Epoch  43 Batch    2/26   train_loss = 0.000
Epoch  43 Batch   22/26   train_loss = 0.000
Epoch  44 Batch   16/26   train_loss = 0.000
Epoch  45 Batch   10/26   train_loss = 0.000
Epoch  46 Batch    4/26   train_loss = 0.000
Epoch  46 Batch   24/26   train_loss = 0.000
Epoch  47 Batch   18/26   train_loss = 0.000
Epoch  48 Batch   12/26   train_loss = 0.000
Epoch  49 Batch    6/26   train_loss = 0.000
Epoch  50 Batch    0/26   train_loss = 0.000
Epoch  50 Batch   20/26   train_loss = 0.000
Epoch  51 Batch   14/26   train_loss = 0.000
Epoch  52 Batch    8/26   train_loss = 0.000
Epoch  53 Batch    2/26   train_loss = 0.000
Epoch  53 Batch   22/26   train_loss = 0.000
Epoch  54 Batch   16/26   train_loss = 0.000
Epoch  55 Batch   10/26   train_loss = 0.000
Epoch  56 Batch    4/26   train_loss = 0.000
Epoch  56 Batch   24/26   train_loss = 0.000
Epoch  57 Batch   18/26   train_loss = 0.000
Epoch  58 Batch   12/26   train_loss = 0.000
Epoch  59 Batch    6/26   train_loss = 0.000
Epoch  60 Batch    0/26   train_loss = 0.000
Epoch  60 Batch   20/26   train_loss = 0.000
Epoch  61 Batch   14/26   train_loss = 0.000
Epoch  62 Batch    8/26   train_loss = 0.000
Epoch  63 Batch    2/26   train_loss = 0.000
Epoch  63 Batch   22/26   train_loss = 0.000
Epoch  64 Batch   16/26   train_loss = 0.000
Epoch  65 Batch   10/26   train_loss = 0.000
Epoch  66 Batch    4/26   train_loss = 0.000
Epoch  66 Batch   24/26   train_loss = 0.000
Epoch  67 Batch   18/26   train_loss = 0.000
Epoch  68 Batch   12/26   train_loss = 0.000
Epoch  69 Batch    6/26   train_loss = 0.000
Epoch  70 Batch    0/26   train_loss = 0.000
Epoch  70 Batch   20/26   train_loss = 0.000
Epoch  71 Batch   14/26   train_loss = 0.000
Epoch  72 Batch    8/26   train_loss = 0.000
Epoch  73 Batch    2/26   train_loss = 0.000
Epoch  73 Batch   22/26   train_loss = 0.000
Epoch  74 Batch   16/26   train_loss = 0.000
Epoch  75 Batch   10/26   train_loss = 0.000
Epoch  76 Batch    4/26   train_loss = 0.000
Epoch  76 Batch   24/26   train_loss = 0.000
Epoch  77 Batch   18/26   train_loss = 0.000
Epoch  78 Batch   12/26   train_loss = 0.000
Epoch  79 Batch    6/26   train_loss = 0.000
Epoch  80 Batch    0/26   train_loss = 0.000
Epoch  80 Batch   20/26   train_loss = 0.000
Epoch  81 Batch   14/26   train_loss = 0.000
Epoch  82 Batch    8/26   train_loss = 0.000
Epoch  83 Batch    2/26   train_loss = 0.000
Epoch  83 Batch   22/26   train_loss = 0.000
Epoch  84 Batch   16/26   train_loss = 0.000
Epoch  85 Batch   10/26   train_loss = 0.000
Epoch  86 Batch    4/26   train_loss = 0.000
Epoch  86 Batch   24/26   train_loss = 0.000
Epoch  87 Batch   18/26   train_loss = 0.000
Epoch  88 Batch   12/26   train_loss = 0.000
Epoch  89 Batch    6/26   train_loss = 0.000
Epoch  90 Batch    0/26   train_loss = 0.000
Epoch  90 Batch   20/26   train_loss = 0.000
Epoch  91 Batch   14/26   train_loss = 0.000
Epoch  92 Batch    8/26   train_loss = 0.000
Epoch  93 Batch    2/26   train_loss = 0.000
Epoch  93 Batch   22/26   train_loss = 0.000
Epoch  94 Batch   16/26   train_loss = 0.000
Epoch  95 Batch   10/26   train_loss = 0.000
Epoch  96 Batch    4/26   train_loss = 0.000
Epoch  96 Batch   24/26   train_loss = 0.000
Epoch  97 Batch   18/26   train_loss = 0.000
Epoch  98 Batch   12/26   train_loss = 0.000
Epoch  99 Batch    6/26   train_loss = 0.000
Model Trained and Saved

Save Parameters

Save seq_length and save_dir for generating a new TV script.

In [17]:
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
# Save parameters for checkpoint
helper.save_params((seq_length, save_dir))

Checkpoint

In [18]:
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import tensorflow as tf
import numpy as np
import helper
import problem_unittests as tests

_, vocab_to_int, int_to_vocab, token_dict = helper.load_preprocess()
seq_length, load_dir = helper.load_params()

Implement Generate Functions

Get Tensors

Get tensors from loaded_graph using the function get_tensor_by_name(). Get the tensors using the following names:

  • "input:0"
  • "initial_state:0"
  • "final_state:0"
  • "probs:0"

Return the tensors in the following tuple (InputTensor, InitialStateTensor, FinalStateTensor, ProbsTensor)

In [19]:
def get_tensors(loaded_graph):
    """
    Get input, initial state, final state, and probabilities tensor from <loaded_graph>
    :param loaded_graph: TensorFlow graph loaded from file
    :return: Tuple (InputTensor, InitialStateTensor, FinalStateTensor, ProbsTensor)
    """
    # TODO: Implement Function
    InputTensor = loaded_graph.get_tensor_by_name("input:0")
    InitialStateTensor = loaded_graph.get_tensor_by_name("initial_state:0")
    FinalStateTensor = loaded_graph.get_tensor_by_name("final_state:0")
    ProbsTensor = loaded_graph.get_tensor_by_name("probs:0")
    return InputTensor, InitialStateTensor, FinalStateTensor, ProbsTensor



"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_tensors(get_tensors)
Tests Passed

Choose Word

Implement the pick_word() function to select the next word using probabilities.

In [ ]:
def pick_word(probabilities, int_to_vocab):
    """
    Pick the next word in the generated text
    :param probabilities: Probabilites of the next word
    :param int_to_vocab: Dictionary of word ids as the keys and words as the values
    :return: String of the predicted word
    """
    # TODO: Implement Function
    vocab_list = list(int_to_vocab.values())
    print('vocab_list\n\n', vocab_list)
    
    print('\nprobabilities\n\n', probabilities)
    
    #predicted_word = np.random.choice(list(int_to_vocab.values()), probabilities)
    best_word= np.random.choice(vocab_list, 1, p=probabilities)
    
    print(best_word)
    #use np.random.choice on the probabilities array - and within that array, look at values >=.2
    print(best_word[0])
    return best_word[0]


"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_pick_word(pick_word)
vocab_list

 ['this', 'is', 'a', 'test']

probabilities

 [ 0.1   0.8   0.05  0.05]
['is']
is
Tests Passed

Generate TV Script

This will generate the TV script for you. Set gen_length to the length of TV script you want to generate.

In [ ]:
gen_length = 200
# homer_simpson, moe_szyslak, or Barney_Gumble
prime_word = 'moe_szyslak'

"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
loaded_graph = tf.Graph()
with tf.Session(graph=loaded_graph) as sess:
    # Load saved model
    loader = tf.train.import_meta_graph(load_dir + '.meta')
    loader.restore(sess, load_dir)

    # Get Tensors from loaded model
    input_text, initial_state, final_state, probs = get_tensors(loaded_graph)

    # Sentences generation setup
    gen_sentences = [prime_word + ':']
    prev_state = sess.run(initial_state, {input_text: np.array([[1]])})

    # Generate sentences
    for n in range(gen_length):
        # Dynamic Input
        dyn_input = [[vocab_to_int[word] for word in gen_sentences[-seq_length:]]]
        dyn_seq_length = len(dyn_input[0])

        # Get Prediction
        probabilities, prev_state = sess.run(
            [probs, final_state],
            {input_text: dyn_input, initial_state: prev_state})
        
        pred_word = pick_word(probabilities[dyn_seq_length-1], int_to_vocab)

        gen_sentences.append(pred_word)
    
    # Remove tokens
    tv_script = ' '.join(gen_sentences)
    for key, token in token_dict.items():
        ending = ' ' if key in ['\n', '(', '"'] else ''
        tv_script = tv_script.replace(' ' + token.lower(), key)
    tv_script = tv_script.replace('\n ', '\n')
    tv_script = tv_script.replace('( ', '(')
        
    print(tv_script)
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.95119873e-09   3.48096760e-11   3.29609742e-11 ...,   2.20824372e-08
   3.61528689e-11   3.55216342e-11]
['no']
no
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.82560779e-06   1.98388705e-09   2.10983986e-09 ...,   1.27950648e-03
   1.83099891e-09   1.85725602e-09]
['for']
for
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.14215618e-04   1.23461476e-07   1.10517227e-07 ...,   1.61247584e-03
   1.00832459e-07   1.12419805e-07]
['homer']
homer
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.08241306e-07   2.22331584e-10   2.16798052e-10 ...,   7.82321952e-03
   1.92947047e-10   2.24595662e-10]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.10098870e-06   2.75556089e-09   2.90999713e-09 ...,   4.01805264e-05
   2.60272959e-09   2.90741187e-09]
["don't"]
don't
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.44737960e-05   7.04115377e-10   7.60589980e-10 ...,   7.96371678e-05
   7.95918664e-10   9.51569268e-10]
['get']
get
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.27037333e-06   1.17669507e-09   1.12042287e-09 ...,   3.70017922e-04
   1.13478738e-09   1.19573151e-09]
['it']
it
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.30300645e-05   3.73346287e-09   3.27706418e-09 ...,   4.39706317e-04
   2.51894150e-09   3.63364627e-09]
['you']
you
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.83119581e-09   8.26097545e-13   6.51349092e-13 ...,   2.96544678e-09
   6.77995095e-13   7.81905248e-13]
['can']
can
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  7.79152515e-07   1.03456355e-10   1.10273540e-10 ...,   1.26976492e-08
   8.34252736e-11   9.55581933e-11]
['still']
still
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.30425666e-07   2.08969886e-12   2.10251651e-12 ...,   2.02278557e-07
   1.74093086e-12   1.70109218e-12]
['with']
with
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  8.72559249e-05   2.11128537e-07   1.96111273e-07 ...,   4.40541538e-04
   1.65244970e-07   1.98565132e-07]
['a']
a
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.00619115e-06   2.17046324e-12   2.20148747e-12 ...,   1.53398487e-05
   1.57167649e-12   2.47990083e-12]
['with']
with
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.95283465e-05   1.30986200e-08   1.39426897e-08 ...,   2.93521225e-08
   1.10922116e-08   1.23815518e-08]
['temple']
temple
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.93169760e-03   1.51770109e-07   1.24183657e-07 ...,   8.41114088e-05
   1.02749794e-07   1.40342564e-07]
['your']
your
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.19608725e-04   1.39868614e-08   1.10913305e-08 ...,   6.26300985e-04
   1.34516229e-08   1.25520501e-08]
['polite']
polite
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.14786905e-05   3.77250196e-08   3.30568319e-08 ...,   9.05228717e-07
   2.85273352e-08   3.69493058e-08]
['some']
some
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.76261130e-06   5.28546451e-09   4.84692286e-09 ...,   7.63130458e-07
   3.27957328e-09   4.27994085e-09]
['gibson']
gibson
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.09267926e-07   4.65340648e-11   4.51034834e-11 ...,   1.05998108e-04
   3.11852939e-11   3.94604210e-11]
['shot']
shot
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  8.18049830e-06   5.81523336e-11   4.69037795e-11 ...,   6.68693986e-03
   4.51163933e-11   5.35840851e-11]
['to']
to
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.64681272e-07   4.58777061e-09   5.65332137e-09 ...,   1.74935046e-03
   4.54023263e-09   4.56493643e-09]
["gentleman's"]
gentleman's
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.45363472e-07   5.76237724e-09   6.59329169e-09 ...,   1.81890371e-07
   5.28808597e-09   6.10000805e-09]
['some']
some
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.35746131e-05   1.91860278e-10   1.52338073e-10 ...,   3.79618177e-05
   1.37873213e-10   1.51014520e-10]
['quality']
quality
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.10089453e-07   1.12961385e-11   8.83086399e-12 ...,   1.93334522e-08
   8.93306696e-12   1.20193560e-11]
['snitch']
snitch
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.46874017e-05   7.59389351e-09   7.60242891e-09 ...,   3.46304029e-02
   6.34397912e-09   8.80858320e-09]
['all']
all
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.89602269e-06   4.13528189e-09   3.32714278e-09 ...,   5.97510021e-04
   3.54908214e-09   3.89261468e-09]
['out']
out
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.92136662e-07   4.21908775e-12   3.91049693e-12 ...,   3.72880866e-04
   3.57093326e-12   4.04552520e-12]
['||period||']
||period||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.10208575e-05   2.45083474e-08   2.10812239e-08 ...,   3.65358173e-05
   2.15935838e-08   2.46438159e-08]
['his']
his
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.23314851e-06   1.71360259e-08   1.59749689e-08 ...,   1.50368520e-04
   1.58867000e-08   1.78779853e-08]
['a']
a
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  7.87775934e-06   2.07700168e-09   1.68583592e-09 ...,   9.72509952e-06
   1.50234480e-09   2.12559947e-09]
['man']
man
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.15260502e-06   7.57357999e-09   7.77782727e-09 ...,   1.04329274e-06
   6.61241195e-09   7.02098868e-09]
['and']
and
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.70172710e-07   2.33700059e-10   1.95542874e-10 ...,   5.92491056e-11
   1.72315023e-10   2.30097053e-10]
['thomas']
thomas
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  7.85094425e-02   8.34403998e-13   6.17828651e-13 ...,   2.66397663e-04
   5.25460643e-13   8.31910712e-13]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.61792908e-03   2.82754320e-10   2.10854251e-10 ...,   6.02479733e-04
   2.50457710e-10   2.14436330e-10]
['and']
and
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.04318206e-03   1.55374025e-08   1.20117791e-08 ...,   7.56861118e-06
   1.19325412e-08   1.29552209e-08]
['never']
never
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.82562542e-04   1.47463008e-09   1.13342113e-09 ...,   1.05063897e-03
   1.08798570e-09   1.43911894e-09]
['||return||']
||return||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.82014138e-06   8.55653881e-10   9.75303061e-10 ...,   3.48179810e-06
   7.71260444e-10   7.80966736e-10]
['lenny_leonard:']
lenny_leonard:
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.04324680e-06   6.14826945e-09   5.25198729e-09 ...,   1.30752521e-03
   6.25819530e-09   6.34871400e-09]
['i']
i
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.66358642e-06   8.89686214e-10   8.60305938e-10 ...,   1.22672708e-08
   8.78608575e-10   8.54888493e-10]
['had']
had
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.89020422e-05   1.09298082e-09   1.13267251e-09 ...,   2.21621085e-04
   9.94373472e-10   1.22029009e-09]
['of']
of
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.21122945e-06   2.29895842e-11   2.03557171e-11 ...,   5.20894304e-04
   1.61738331e-11   2.39913488e-11]
['the']
the
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  7.80057860e-07   5.56412902e-11   5.05090483e-11 ...,   2.37504006e-04
   5.06415881e-11   4.92385091e-11]
['west']
west
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  8.10643087e-07   1.33308664e-09   1.17381360e-09 ...,   8.32858868e-03
   1.36845590e-09   1.08795684e-09]
['my']
my
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.36630557e-06   2.37543443e-08   2.50408760e-08 ...,   4.70943254e-04
   2.49924916e-08   2.69942717e-08]
['mother']
mother
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.07327103e-04   5.01722219e-10   5.06003572e-10 ...,   1.10530807e-03
   3.91351035e-10   5.53741775e-10]
['happened']
happened
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.31844278e-05   1.27517674e-09   1.23477262e-09 ...,   1.69148704e-03
   1.33544364e-09   1.34880629e-09]
['i']
i
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.54599419e-07   3.17266075e-11   3.32636627e-11 ...,   9.93478443e-06
   3.12505855e-11   3.29636596e-11]
['just']
just
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.87477324e-05   6.72780942e-09   7.48227258e-09 ...,   6.12785911e-08
   6.25175645e-09   7.61378427e-09]
['the']
the
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.42026788e-03   6.15144131e-07   6.15259069e-07 ...,   8.50981723e-06
   4.92718698e-07   5.91011030e-07]
['on']
on
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.57963678e-04   2.77572241e-08   2.92770679e-08 ...,   3.05125304e-02
   2.58741064e-08   2.77045960e-08]
['a']
a
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.91486976e-05   9.57535295e-09   8.60576499e-09 ...,   3.35352193e-03
   7.31865102e-09   9.28175847e-09]
['||question_mark||']
||question_mark||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.30672367e-06   5.92031903e-13   5.62586382e-13 ...,   7.47170592e-09
   3.94123427e-13   5.36699808e-13]
['||return||']
||return||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.80563693e-05   2.02313046e-08   1.78088975e-08 ...,   1.18693333e-05
   1.73600938e-08   2.03430570e-08]
['moe_szyslak:']
moe_szyslak:
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.19547848e-06   2.19604832e-08   2.10717115e-08 ...,   3.30446682e-07
   1.82235311e-08   2.01467323e-08]
['boy']
boy
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.32623608e-06   2.05206255e-10   2.66391159e-10 ...,   1.49603102e-05
   2.09131892e-10   2.56002691e-10]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.66948955e-05   2.64764044e-10   2.92865926e-10 ...,   3.42122121e-06
   2.13130971e-10   3.49489243e-10]
['look']
look
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  8.81036613e-06   6.77264061e-12   7.26844973e-12 ...,   5.47822611e-03
   6.33293548e-12   7.08291195e-12]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.02915510e-07   5.51915291e-10   5.29252309e-10 ...,   2.57536243e-07
   4.51791271e-10   4.85185947e-10]
['liser']
liser
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.13694085e-04   2.20137975e-09   2.12556728e-09 ...,   3.60181002e-04
   2.02360884e-09   2.38221642e-09]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  7.54392522e-06   4.66253205e-08   4.31706617e-08 ...,   1.73780703e-04
   4.99438677e-08   4.62571812e-08]
['i']
i
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.04376524e-09   3.61671370e-12   3.75410770e-12 ...,   3.89224226e-08
   3.58085588e-12   3.87870985e-12]
['always']
always
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.63545803e-07   7.99783073e-10   6.48572918e-10 ...,   5.60604363e-09
   6.41324993e-10   6.95818458e-10]
['go']
go
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.61834367e-07   7.62454856e-12   7.03640054e-12 ...,   3.98450948e-06
   7.12708755e-12   9.17243538e-12]
['with']
with
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.46904708e-05   4.21839701e-08   5.08682909e-08 ...,   1.98403795e-04
   4.35111609e-08   4.25728430e-08]
['medicine']
medicine
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.61086713e-05   1.34250644e-09   1.39835754e-09 ...,   8.09608828e-05
   1.06338427e-09   1.44661760e-09]
['down']
down
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.41430018e-06   1.34825473e-09   1.31188294e-09 ...,   3.62700433e-04
   1.16243459e-09   1.29350619e-09]
['my']
my
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.93519474e-06   4.85952334e-10   4.30439573e-10 ...,   1.35489772e-05
   3.60879160e-10   4.22051338e-10]
['last']
last
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.15746772e-03   3.81260623e-09   3.72604214e-09 ...,   8.65808979e-05
   3.07826964e-09   4.16572465e-09]
['all']
all
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.47947489e-04   9.43226368e-08   8.98804515e-08 ...,   6.97705522e-02
   7.78465008e-08   1.03023687e-07]
['break']
break
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.01127551e-07   2.74591851e-12   2.49137560e-12 ...,   6.13087514e-06
   2.72653536e-12   3.10255489e-12]
['down']
down
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.43054409e-06   2.28668462e-09   3.11192916e-09 ...,   7.51488609e-04
   2.17082818e-09   3.19452487e-09]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.42954918e-05   1.58845452e-08   1.68215433e-08 ...,   2.02366835e-04
   1.33999007e-08   1.46216133e-08]
['and']
and
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  8.27837709e-07   5.55510672e-12   4.93598218e-12 ...,   6.83550956e-04
   4.55237714e-12   5.76566486e-12]
['be']
be
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.78559639e-06   1.14668426e-08   1.13092593e-08 ...,   1.54425361e-05
   9.65260671e-09   1.19855130e-08]
['an']
an
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.50546092e-04   1.64289631e-08   1.50713202e-08 ...,   1.78726317e-04
   1.21549704e-08   1.46889825e-08]
['stupid']
stupid
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.10117232e-05   2.52954480e-09   2.00349781e-09 ...,   2.89411197e-04
   1.94205296e-09   2.31480324e-09]
['to']
to
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.42402373e-08   2.39943568e-11   2.07484811e-11 ...,   2.35864562e-07
   1.62019530e-11   2.17917195e-11]
['bring']
bring
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.84501805e-05   1.69174147e-10   1.25593008e-10 ...,   1.12163716e-05
   1.10155128e-10   1.45671544e-10]
['out']
out
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.77180800e-06   1.50979802e-11   1.44123932e-11 ...,   2.36052414e-03
   1.30643933e-11   1.41125401e-11]
['me']
me
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.48177850e-04   2.43435885e-08   1.99570778e-08 ...,   2.32051457e-06
   2.01556531e-08   1.95237586e-08]
['right']
right
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.31089240e-04   5.30496571e-08   4.25871853e-08 ...,   1.98979978e-05
   3.16232480e-08   4.37785985e-08]
['||exclamation_mark||']
||exclamation_mark||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.07045119e-07   1.60621915e-11   1.54161892e-11 ...,   3.64523839e-06
   1.54987412e-11   1.67834670e-11]
['||return||']
||return||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.25620680e-06   4.02373246e-10   3.72138653e-10 ...,   2.04546141e-05
   2.83647605e-10   3.53290702e-10]
['||return||']
||return||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.95467521e-06   4.49921966e-09   4.60944882e-09 ...,   1.12028373e-03
   4.38401093e-09   4.74205475e-09]
['homer_simpson:']
homer_simpson:
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.45901096e-05   5.11643634e-07   5.18533568e-07 ...,   2.99414933e-05
   4.99704242e-07   4.83495512e-07]
['gee']
gee
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.60558977e-06   7.30560612e-10   6.18839646e-10 ...,   1.04776399e-09
   6.43557707e-10   7.33909766e-10]
["we'll"]
we'll
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.19717219e-03   1.21143708e-08   1.18657013e-08 ...,   2.69411812e-05
   8.70575612e-09   1.28600419e-08]
['yeah']
yeah
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.53866577e-04   1.29054794e-08   1.24258577e-08 ...,   2.30842433e-03
   1.10169358e-08   1.22840227e-08]
['||exclamation_mark||']
||exclamation_mark||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.75822822e-04   6.00410104e-08   5.19691490e-08 ...,   5.26341517e-03
   4.54774174e-08   4.65498466e-08]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.97580108e-05   2.92028979e-08   2.82895769e-08 ...,   2.28942990e-05
   2.45682390e-08   3.40125617e-08]
['||quotation_mark||']
||quotation_mark||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.71356985e-05   1.53804047e-09   1.20902388e-09 ...,   1.32643373e-03
   1.14289411e-09   1.50406632e-09]
['it']
it
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.41204997e-06   2.14041034e-08   2.01356176e-08 ...,   2.09978316e-05
   1.82273094e-08   1.86191365e-08]
["wasn't"]
wasn't
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.15546790e-07   2.54759998e-11   2.06265283e-11 ...,   1.41777834e-02
   1.96607713e-11   2.23243021e-11]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  9.17604848e-06   5.13111720e-10   6.33836872e-10 ...,   1.51557560e-06
   4.50094184e-10   6.88833490e-10]
["that's"]
that's
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.48301364e-05   3.76156972e-09   3.43626838e-09 ...,   1.32291601e-03
   3.65114849e-09   3.60209906e-09]
['schizophrenia']
schizophrenia
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.95214413e-05   1.73966068e-08   1.63653411e-08 ...,   7.79444119e-04
   1.70506276e-08   1.76851973e-08]
['beers']
beers
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  7.26360076e-06   4.44349585e-10   4.33520081e-10 ...,   1.19050068e-03
   3.87052945e-10   4.02135325e-10]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  9.39474285e-06   4.62996828e-11   4.06137242e-11 ...,   6.44045533e-04
   3.45277661e-11   5.05885750e-11]
['not']
not
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.44599607e-06   4.37466424e-10   3.90571075e-10 ...,   9.78858516e-05
   4.21712359e-10   4.17278906e-10]
['like']
like
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.85109513e-06   2.17854498e-10   2.23093113e-10 ...,   5.41167974e-04
   1.74754114e-10   2.81274254e-10]
['only']
only
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.24606577e-05   1.80882331e-09   1.72955705e-09 ...,   3.14908219e-04
   1.62253877e-09   1.79791282e-09]
['der']
der
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.09364509e-05   9.05719375e-08   9.70583756e-08 ...,   3.53021343e-04
   7.90381876e-08   8.82119977e-08]
['outlook']
outlook
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.90358203e-05   7.06775805e-10   6.63772093e-10 ...,   2.71537877e-03
   4.50262855e-10   6.91883717e-10]
['a']
a
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.14135445e-06   3.43405260e-09   3.10709836e-09 ...,   1.89321345e-05
   2.81094037e-09   3.67439701e-09]
['cute']
cute
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.08890818e-05   8.99445283e-08   8.89439633e-08 ...,   3.78355209e-04
   7.68172086e-08   9.04622226e-08]
['higher']
higher
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.65962532e-04   4.07870182e-08   3.55577718e-08 ...,   1.08418870e-03
   3.63307358e-08   4.15248884e-08]
['with']
with
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.84130217e-05   3.95239536e-10   4.22849283e-10 ...,   4.11546139e-08
   2.65024030e-10   3.46252305e-10]
['a']
a
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.57892759e-06   6.81366852e-10   5.23414478e-10 ...,   6.14650020e-09
   5.06585496e-10   6.20911267e-10]
['guy']
guy
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.07077960e-06   6.26657337e-10   7.20728088e-10 ...,   1.07660026e-05
   5.14014276e-10   6.39799991e-10]
['parking']
parking
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.65128749e-05   4.43835653e-08   4.10198346e-08 ...,   1.14488287e-03
   3.48668401e-08   4.39209380e-08]
['little']
little
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.06199857e-05   4.66694328e-09   4.12898471e-09 ...,   8.35685569e-05
   3.48329299e-09   4.78252193e-09]
["we're"]
we're
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.49522782e-06   2.97977976e-09   2.61474220e-09 ...,   1.19096535e-06
   2.25956698e-09   2.76840550e-09]
['window']
window
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  8.40806577e-04   1.22489496e-07   1.10556016e-07 ...,   2.16465414e-05
   1.18319399e-07   1.19918312e-07]
['been']
been
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.30972694e-04   1.48364721e-09   1.15001941e-09 ...,   6.90349339e-07
   1.12900067e-09   1.47285384e-09]
['with']
with
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.07148744e-04   1.78468520e-06   1.81566043e-06 ...,   1.10795104e-03
   1.71939018e-06   1.85382089e-06]
['still']
still
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.36120434e-06   1.00679895e-10   1.06293328e-10 ...,   4.52384974e-08
   8.95851587e-11   1.11695507e-10]
['||return||']
||return||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.48390749e-04   1.07925541e-06   1.04816320e-06 ...,   7.17880204e-04
   9.44768033e-07   1.10310782e-06]
['homer_simpson:']
homer_simpson:
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.82519816e-05   2.70033382e-08   2.92597306e-08 ...,   5.83735455e-05
   2.13783142e-08   2.54716745e-08]
['woo']
woo
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.98733173e-05   5.10400477e-09   4.17079216e-09 ...,   3.27090616e-03
   3.82389675e-09   5.59398927e-09]
['no']
no
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.07084088e-05   1.73064230e-10   1.63029062e-10 ...,   1.52239054e-02
   1.60586655e-10   1.97229427e-10]
["'cause"]
'cause
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.59085675e-04   5.04593984e-08   4.66395562e-08 ...,   8.27520707e-05
   3.80624634e-08   4.78808175e-08]
['oh']
oh
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.00859115e-03   4.66866851e-07   4.78637958e-07 ...,   3.66523000e-03
   4.32082373e-07   4.78904610e-07]
['to']
to
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.75058264e-05   8.11981948e-08   7.38089412e-08 ...,   4.51514323e-04
   7.34505434e-08   8.46426929e-08]
['great']
great
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.58697485e-07   2.47960735e-10   2.54230526e-10 ...,   1.99457464e-08
   1.84006768e-10   2.64026828e-10]
['guy']
guy
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.44129284e-04   1.97338906e-07   1.89038374e-07 ...,   4.51318861e-04
   1.73862404e-07   1.86460781e-07]
['turned']
turned
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.93728101e-05   1.29321663e-07   1.29262460e-07 ...,   9.33247356e-05
   1.28318945e-07   1.32957680e-07]
['/']
/
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  8.46826646e-04   5.20845958e-07   5.16036266e-07 ...,   7.90283608e-04
   4.61500321e-07   5.18319837e-07]
['steaming']
steaming
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.72749011e-04   1.65623163e-07   1.96936696e-07 ...,   5.27063804e-03
   1.43557614e-07   2.10036049e-07]
['could']
could
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.21560413e-06   3.12032311e-09   3.07836401e-09 ...,   2.26367575e-07
   2.49685606e-09   2.94730618e-09]
['up']
up
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  5.45281982e-05   6.56212462e-09   6.19479001e-09 ...,   5.17109902e-06
   5.06320097e-09   6.86822554e-09]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.74053998e-05   1.38700695e-09   1.02249442e-09 ...,   1.76051166e-04
   1.12227749e-09   1.17924992e-09]
['my']
my
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  7.63765638e-06   6.96193903e-09   9.35219013e-09 ...,   2.16999148e-08
   8.35523384e-09   7.63817631e-09]
['big']
big
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  9.10756717e-05   1.33887479e-08   1.57676787e-08 ...,   5.15440255e-02
   1.10426894e-08   1.60848650e-08]
['||comma||']
||comma||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.93516268e-06   1.94139260e-09   1.62712033e-09 ...,   5.70683005e-06
   1.53430690e-09   1.78808890e-09]
['i']
i
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.72952195e-07   2.29284325e-09   1.60047942e-09 ...,   3.63185015e-09
   1.47170809e-09   2.32360353e-09]
['knew']
knew
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.32088426e-05   1.44069183e-08   1.15563177e-08 ...,   6.08717698e-08
   1.04211830e-08   1.37392071e-08]
['to']
to
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.86177800e-04   3.01448395e-08   2.04379873e-08 ...,   2.90681084e-04
   1.62999001e-08   2.25078285e-08]
['||period||']
||period||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  7.28344389e-07   6.28545410e-11   6.62007393e-11 ...,   9.93922276e-06
   5.99240796e-11   5.33571867e-11]
['||return||']
||return||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.36227444e-04   1.20600959e-07   9.81310393e-08 ...,   3.57980316e-05
   1.08129505e-07   1.19359711e-07]
['||period||']
||period||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.09046220e-06   6.58924137e-10   6.13526785e-10 ...,   2.66806659e-04
   4.83445672e-10   6.22570662e-10]
["what's"]
what's
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  4.55782108e-04   1.31698030e-07   1.10079910e-07 ...,   2.58191209e-03
   1.12636975e-07   1.40185008e-07]
['like']
like
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.88628280e-06   6.61527734e-12   6.93600472e-12 ...,   4.08896485e-05
   5.63936181e-12   7.02070953e-12]
['we']
we
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.18410634e-07   3.79867179e-11   3.05646654e-11 ...,   4.90248110e-03
   2.89298759e-11   3.00984931e-11]
['me']
me
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  3.04586479e-07   3.24339111e-09   3.00155834e-09 ...,   9.15699871e-09
   2.81320833e-09   3.07401038e-09]
['were']
were
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.23650228e-04   2.02392307e-08   2.40926479e-08 ...,   2.25782992e-06
   1.66527165e-08   2.14489297e-08]
['snake_jailbird:']
snake_jailbird:
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.04488705e-03   1.36457352e-08   1.42116097e-08 ...,   4.94359119e-05
   1.20773507e-08   1.64058314e-08]
['||period||']
||period||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.59301217e-05   1.79734072e-09   1.79225357e-09 ...,   3.01302407e-05
   1.64840164e-09   1.79301274e-09]
['||return||']
||return||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  6.72336464e-05   3.68380455e-07   3.78435288e-07 ...,   1.99380020e-06
   3.24798663e-07   3.91929944e-07]
['lenny_leonard:']
lenny_leonard:
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.97983552e-05   2.97785505e-07   3.34850142e-07 ...,   3.40249135e-05
   3.29935233e-07   3.46212289e-07]
['i']
i
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.58239447e-06   3.85434262e-09   3.36654660e-09 ...,   1.02237696e-09
   4.16199342e-09   4.24995372e-09]
['am']
am
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.31345569e-05   1.35902338e-08   1.67341359e-08 ...,   2.82433712e-06
   1.42932777e-08   1.35143656e-08]
['sick']
sick
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.71504705e-05   2.64881770e-08   2.69815672e-08 ...,   2.37289328e-06
   2.36043647e-08   3.13446904e-08]
['tells']
tells
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.21126754e-06   9.09881170e-10   8.71732464e-10 ...,   2.10088175e-02
   8.97159735e-10   9.16302367e-10]
['saucy']
saucy
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  1.70855856e-05   2.10294684e-10   1.84063265e-10 ...,   2.62374543e-02
   1.47078974e-10   2.17840967e-10]
['||return||']
||return||
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.78360858e-05   5.55928237e-09   5.58100854e-09 ...,   8.15679552e-04
   5.64442670e-09   5.78672843e-09]
['grampa_simpson:']
grampa_simpson:
vocab_list

 ['$42', '&', "'", "'bout", "'cause", "'cept", "'ceptin'", "'em", "'er", "'ere", "'evening", "'im", "'kay-zugg'", "'morning", "'n'", "'now", "'pu", "'roids", "'round", "'s", "'til", "'tis", "'topes", "'your", '-ry', '/', '/mr', '1-800-555-hugs', '100', '10:15', '14', '1895', '1973', '1979', '2', '21', '250', '2nd_voice_on_transmitter:', '3', '35', '3rd_voice:', '4x4', '50%', '50-60', '530', '6', '7-year-old_brockman:', '70', '7g', '8', '91', ':', '_babcock:', '_burns_heads:', '_eugene_blatz:', '_hooper:', '_julius_hibbert:', '_kissingher:', '_marvin_monroe:', '_montgomery_burns:', '_powers:', '_timothy_lovejoy:', '_zander:', 'a', 'a-a-b-b-a', 'a-b-', 'a-lug', 'aah', 'ab', 'abandon', 'abcs', 'abe', 'abercrombie', 'able', 'aboard', 'abolish', 'about', 'above', 'absentminded', 'absentmindedly', 'absolut', 'absolutely', 'absorbent', 'abusive', 'academy', 'accelerating', 'accent', 'accept', 'acceptance', 'accepting', 'access', 'accident', 'accidents', 'according', 'accounta', 'accurate', 'accusing', 'achebe', 'achem', 'acquaintance', 'acquitted', 'acronyms', 'across', 'act', 'acting', 'action', 'activity', 'actor', 'actors', 'actress', 'actually', 'ad', 'add', 'addiction', 'additional-seating-capacity', 'address', 'adeleine', 'adequate', 'adjourned', 'adjust', 'administration', 'admiration', 'admirer', 'admiring', 'admit', 'admitting', 'adopted', 'adrift', 'ads', 'adult', 'adult_bart:', 'advance', 'advantage', 'adventure', 'advertise', 'advertising', 'advice', 'aer', 'aerosmith', 'aerospace', 'affectations', 'affection', 'affects', 'afford', 'afloat', 'afraid', 'africa', 'african', 'africanized', 'after', 'afterglow', 'afternoon', 'again', 'against', 'age', 'aged', 'aged_moe:', 'agency', 'agent', 'agent_johnson:', 'agent_miller:', 'agents', 'aggie', 'aggravated', 'aggravazes', 'agh', 'aghast', 'aging', 'agnes_skinner:', 'ago', 'agree', 'agreement', 'ah', 'ah-ha', 'ahead', 'ahem', 'ahh', 'ahhh', 'ahhhh', 'aid', 'aiden', 'aidens', 'ails', 'aims', "ain't", 'air', 'airport', 'aisle', 'al', 'al_gore:', 'alarm', 'albeit', 'albert', 'alcohol', 'alcoholic', 'alcoholism', 'ale', 'alec_baldwin:', 'alfalfa', 'alfred', 'ali', 'alibi', 'alien', 'alive', 'alky', 'all', 'all-all-all', 'all-american', 'all-star', 'all:', 'allegiance', 'alley', 'allow', 'allowance', 'allowed', 'alls', 'alma', 'almond', 'almost', 'alone', 'along', 'alpha-crow', 'alphabet', 'already', 'alright', 'also', 'alter', 'alternative', 'although', 'alva', 'always', 'am', 'amanda', 'amazed', 'amazing', 'amber', 'amber_dempsey:', 'ambrose', 'ambrosia', 'amends', 'america', "america's", 'american', 'americans', 'amiable', 'amid', 'amnesia', 'amount', 'amused', 'an', 'anarchy', 'ancestors', 'ancient', 'and', 'and-and', 'and/or', 'and:', 'andalay', 'anderson', 'andrew', 'andy', 'angel', 'anger', 'angrily', 'angry', 'anguished', 'animals', 'annie', 'anniversary', 'announcer:', 'annoyed', 'annoying', 'annual', 'annus', 'anonymous', 'another', 'answer', 'answered', 'answering', 'answers', 'anthony_kiedis:', 'anti-crime', 'anti-intellectualism', 'anti-lock', 'anxious', 'any', 'anybody', 'anyhoo', 'anyhow', 'anymore', 'anyone', 'anything', 'anyway', 'anywhere', 'apart', 'apartment', 'ape-like', 'apology', 'app', 'appalled', 'appealing', 'appeals', 'appear', 'appearance-altering', 'appendectomy', 'applesauce', 'applicant', 'application', 'apply', 'appointment', 'appreciate', 'appreciated', 'appropriate', 'approval', 'apron', 'apu', 'apu_nahasapeemapetilon:', 'apulina', 'aquafresh', 'arab_man:', 'arabs', 'archaeologist', 'are', "aren't", "aren'tcha", 'argue', 'arguing', 'arimasen', 'arise', "aristotle's", 'aristotle:', 'arm', 'arm-pittish', 'arms', 'army', 'around', 'arrange', 'arrest', 'arrested:', 'arrived', 'arse', 'art', 'artie', 'artie_ziff:', 'artist', 'arts', 'as', 'ashamed', 'ashtray', 'aside', 'ask', 'asked', "askin'", 'asking', 'asks', 'asleep', 'ass', 'assassination', 'assent', 'assert', 'asses', 'assistant', 'associate', 'assume', 'assumed', 'astonishment', 'astrid', 'astronaut', 'astronauts', 'at', 'atari', 'ate', 'atlanta', 'attach', 'attached', 'attack', 'attempting', 'attend', 'attention', 'attitude', 'attracted', 'attraction', 'attractive', 'attractive_woman_#1:', 'attractive_woman_#2:', 'au', 'audience', 'audience:', 'augustus', 'aunt', 'authenticity', 'author', 'authorized', 'automobiles', 'available', 'avalanche', 'avec', 'avenue', 'average', 'average-looking', 'aw', 'awake', 'awareness', 'away', 'awe', 'awed', 'awesome', 'awful', 'awfully', 'awkward', 'awkwardly', 'aww', 'awww', 'awwww', 'ayyy', 'aziz', 'b', "b-52's:", 'b-day', 'babar', 'babe', 'babies', 'baby', 'bachelor', 'bachelorette', 'bachelorhood', 'back', 'backbone', 'backgammon', 'background', 'backing', 'backward', 'backwards', 'bad', 'bad-mouth', 'badge', 'badges', 'badly', 'badmouth', 'badmouths', 'bag', 'bagged', 'bags', 'bail', 'bake', 'bald', 'ball', "ball's", 'ball-sized', 'ballclub', 'balloon', 'ballot', 'balls', 'baloney', 'bam', 'band', 'bank', 'banks', 'banned', 'bannister', 'banquet', 'banquo', 'bar', "bar's", 'bar-boy', 'bar:', 'bar_rag:', 'barbara', 'barbed', 'barber', 'barely', 'barf', 'barflies', 'barflies:', 'baritone', 'barkeep', 'barkeeps', 'barn', 'barney', "barney's", 'barney-guarding', 'barney-shaped_form:', 'barney-type', 'barney_gumble:', 'bars', 'barstools', 'bart', "bart'd", "bart's", 'bart_simpson:', 'bartender', "bartender's", 'bartenders', 'bartending', 'barter', 'bartholomé:', 'baseball', 'based', 'basement', 'bash', 'bashir', "bashir's", 'bastard', 'bathed', 'bathing', 'bathroom', 'bathtub', 'batmobile', "battin'", 'bauer', 'be', 'be-stainèd', 'beach', 'beached', 'beady', 'beam', 'beanbag', 'beans', 'bear', 'beard', 'beards', 'bears', 'beast', 'beat', 'beating', 'beatings', 'beats', 'beaumarchais', 'beaumont', 'beautiful', 'beauty', 'became', 'because', 'become', 'bed', 'bedbugs', 'bedridden', 'bedroom', 'bedtime', 'bee', 'beef', 'beefs', 'been', 'beep', 'beeps', 'beer', "beer's", 'beer-dorf', 'beer-jerks', 'beer:', 'beers', 'bees', 'before', 'befouled', 'befriend', 'began', "beggin'", 'begging', 'begin', 'beginning', 'begins', 'behavior', 'behind', "bein'", 'being', 'beings', 'belch', 'belches', 'believe', 'believer', 'beligerent', 'bell', 'belly', 'belly-aching', 'bellyaching', 'belong', 'beloved', 'belt', 'belts', 'bender:', 'beneath', 'benefits', 'benjamin', 'benjamin:', 'besides', 'best', 'bet', 'betcha', 'betrayed', 'bets', "betsy'll", 'better', "bettin'", 'betty:', 'between', 'beverage', 'beyond', 'bible', 'bid', 'bide', 'bidet', 'big', 'bigger', 'biggest', 'bike', 'bill', 'bill_james:', 'billboard', 'billiard', 'billingsley', 'billion', 'bills', 'billy_the_kid:', 'bindle', 'binoculars', 'bird', 'birth', 'birthday', 'birthplace', 'bit', 'bite', 'bites', 'bits', 'bitter', 'bitterly', 'black', 'blackjack', "bladder's", 'blade', 'blame', 'blamed', 'blank', 'blaze', 'bleacher', 'bleak', 'bleeding', 'blend', 'bless', 'blessing', 'blew', 'blimp', 'blind', 'blinded', 'blinds', 'bliss', 'blissful', 'blob', 'blobbo', 'blocked', 'blokes', 'blood', 'blood-thirsty', 'bloodball', 'blooded', 'bloodiest', 'blossoming', 'blow', 'blowfish', "blowin'", 'blown', 'blows', 'blubberino', 'blue', 'blues', 'bluff', 'blur', 'blurbs', "bo's", 'boat', 'bob', 'bobo', 'body', 'boggs', 'boisterous', 'bold', 'bolting', 'bon', 'bon-bons', 'bonding', 'boned', 'boneheaded', 'bones', 'bonfire', 'bono', 'bono:', 'boo', 'booger', 'book', 'book_club_member:', 'bookie', 'booking', 'books', 'booth', 'booze', 'booze-bags', 'boozebag', 'boozehound', 'boozer', 'boozy', 'boring', 'born', 'borrow', 'boston', 'botanical', 'both', 'bothered', 'bottle', 'bottles', 'bottom', 'bottomless', 'bottoms', 'bought', 'bounced', 'bouquet', 'bourbon', 'bow', 'bowie', 'bowl', 'bowled', 'bowling', 'box', 'boxcar', 'boxcars', 'boxer', 'boxer:', 'boxers', 'boxing', 'boxing_announcer:', 'boy', "boy's", 'boyfriend', 'boyhood', 'boys', 'brace', "brady's", 'brag', 'bragging', 'brain', 'brain-switching', 'brainheaded', 'brainiac', 'brains', 'brakes', 'branding', 'brandy', 'bras', 'brassiest', 'braun:', 'brave', 'brawled', 'bread', 'break', 'break-up', 'breakdown', 'breakfast', "breakin'", 'breaking', 'breaks', 'breath', 'breathalyzer', 'breathless', 'breathtaking', 'bret', 'bret:', 'brewed', 'brick', 'bride', 'bridge', 'bridges', 'brief', 'briefly', 'bright', 'brightening', 'brilliant', 'brine', 'bring', "bringin'", 'brings', 'britannia', 'british', 'broad', 'broadway', 'brockelstein', 'brockman', "brockman's", 'broke', 'broken', 'broken:', 'bronco', 'broncos', 'brooklyn', 'broom', 'brother', 'brother-in-law', 'brotherhood', 'brothers', 'brought', 'brow', 'brown', 'browns', 'brunch', 'brunswick', 'brusque', 'bubble', 'bubbles', 'bubbles-in-my-nose-y', 'bucket', 'bucks', 'buddha', 'buddies', 'buddy', 'buds', 'buffalo', "buffalo's", 'buffet', 'bugging', 'bugs', 'build', 'built', 'bulked', 'bull', 'bulldozing', 'bullet-proof', 'bulletin', 'bully', 'bum:', 'bumblebee_man:', 'bumbling', 'bump', 'bumped', 'bumpy-like', 'bums', 'bunch', 'bunion', 'bupkus', 'burg', 'burger', 'burglary', 'buried', 'burn', "burnin'", 'burning', 'burns', 'burnside', 'burp', 'burps', 'bursts', 'burt', 'burt_reynolds:', 'bury', 'bus', 'bush', 'bushes', 'busiest', 'business', 'businessman_#1:', 'businessman_#2:', 'bust', 'busted', 'busy', 'but', 'butt', 'butter', 'butterball', 'buttocks', 'button', 'button-pusher', 'buttons', 'butts', 'buy', 'buyer', "buyin'", 'buying', 'buzz', 'buzziness', 'by', 'bye', 'byrne', 'c', "c'mere", "c'mom", "c'mon", 'cab', 'cab_driver:', 'cable', 'cadillac', 'cage', 'caholic', 'cajun', 'cake', 'cakes', 'calculate', 'calendars', "calf's", 'california', 'call', 'called', "callin'", 'calling', 'calls', 'calm', 'calmly', 'calvin', 'came', 'camera', 'cameras', 'camp', 'campaign', 'can', "can't", "can't-believe-how-bald-he-is", "can'tcha", 'candidate', 'candles', 'candy', 'cannoli', 'cannot', 'canoodling', 'cans', 'canyoner-oooo', 'canyonero', 'cap', 'caper', 'capitalists', 'capitol', 'cappuccino', 'captain', 'captain:', 'capuchin', 'car', "car's", 'car:', 'carb', 'card', 'cards', 'care', 'career', 'careful', 'carefully', 'cares', 'carey', 'caricature', 'carl', "carl's", 'carl:', 'carl_carlson:', 'carll', 'carlotta:', 'carlson', 'carmichael', 'carney', 'carnival', 'carny:', 'carolina', 'carpet', 'cars', 'cartoons', 'carve', 'case', 'cases', 'cash', "cashin'", 'casting', 'castle', 'casual', 'cat', "cat's", 'catch', 'catch-phrase', 'catching', 'catholic', 'cats', 'cattle', 'catty', 'caught', 'cauliflower', 'cause', 'caused', 'causes', 'caveman', 'cavern', 'cecil', 'cecil_terwilliger:', 'celebrate', 'celebration', 'celebrities', 'celebrity', 'celeste', 'cell', 'cell-ee', 'cent', 'center', 'cents', 'century', 'cerebral', 'ceremony', 'certain', 'certainly', 'certificate', 'certified', 'cesss', 'chain', 'chained', 'chair', 'chairman', 'challenge', "challengin'", 'champ', 'champignons', 'champion', 'championship', 'champs', 'chance', 'change', 'changed', 'changes', "changin'", 'changing', 'channel', 'chanting', 'chapel', 'chapstick', 'chapter', 'character', 'characteristic', 'charge', 'charged', 'charges', 'charity', 'charlie', 'charlie:', 'charm', 'charming', 'charter', 'chase', 'chastity', 'chateau', 'chauffeur', 'chauffeur:', 'cheap', 'cheaped', 'cheaper', 'cheapskates', 'cheat', 'cheated', 'check', 'checking', 'checks', 'cheer', 'cheered', 'cheerier', "cheerin'", 'cheering', 'cheerleaders:', 'cheers', 'cheery', 'cheese', 'cheesecake', 'cherry', 'cheryl', 'chest', 'chew', "chewin'", 'chic', 'chick', 'chicken', 'chicks', 'chief', 'chief_wiggum:', 'child', 'childless', 'children', "children's", 'chili', 'chill', 'chilly', 'chin', 'chinese', 'chinese_restaurateur:', 'chinua', 'chip', 'chipped', 'chipper', 'chips', 'chocolate', 'choice', 'choice:', 'choices', 'choices:', 'choke', 'choked', 'choked-up', 'choking', 'choose', "choosin'", 'chorus:', 'chosen', 'chow', 'christian', 'christmas', 'christopher', 'chub', 'chubby', 'chuck', 'chuckle', 'chuckles', 'chuckling', 'chug', 'chug-a-lug', 'chug-monkeys', 'chum', 'chumbawamba', 'chunk', 'chunky', 'church', 'churchill', 'churchy', 'cigarette', 'cigarettes', 'cigars', 'circus', 'citizens', 'city', "city's", 'civic', 'civil', 'civilization', 'clammy', 'clams', "clancy's", 'clandestine', 'clap', 'clapping', 'class', 'classy', 'clean', 'cleaned', 'cleaner', "cleanin'", 'cleaning', 'clear', 'clearing', 'clearly', 'clears', 'clench', 'clenched', 'cletus_spuckler:', 'cleveland', 'clientele', 'cliff', 'clincher', 'clinton', 'clipped', 'clips', 'clock', 'clone', 'close', 'closed', 'closer', 'closes', 'closet', 'closing', 'clothes', 'clothespins', 'clothespins:', 'cloudy', 'clown', 'clown-like', 'club', 'clubs', 'co-sign', 'coach:', 'coal', 'coast', 'coaster', "coaster's", 'coat', 'cobbling', 'cobra', 'cock', 'cocking', 'cockroach', 'cockroaches', 'cocks', 'cocktail', 'cocoa', 'code', 'coffee', "coffee'll", 'coherent', 'coin', 'coincidentally', 'coined', 'coins', 'cola', 'cold', 'collapse', 'collateral', "collector's", 'college', 'collette:', 'cologne', 'colonel:', 'color', 'colorado', 'colossal', 'column', 'coma', 'combination', 'combine', 'combines', 'come', 'comeback', 'comedies', 'comedy', 'comes', 'comfortable', 'comforting', 'comic', 'comic_book_guy:', "comin'", 'coming', 'commanding', 'comment', 'commission', 'commit', 'committee', 'committing', 'common', 'community', 'compadre', 'company', 'compare', 'compared', 'compels', 'compete', 'competing', 'competitive', 'complaining', 'complaint', 'complete', 'completely', 'completing', 'complicated', 'compliment', 'compliments', 'composer', 'composite', 'compressions', 'compromise:', 'computer', 'computer_voice_2:', 'coms', 'con', 'concentrate', 'concerned', 'conclude', 'conclusions', 'conditioner', 'conditioners', 'conditioning', 'coney', 'conference', 'confession', 'confidence', 'confident', 'confidential', 'confidentially', 'confused', 'congoleum', 'congratulations', 'connection', 'connor', 'connor-politan', 'consciousness', 'consider', 'considering', 'considering:', 'considers', 'consoling', 'conspiracy', 'conspiratorial', 'consulting', "cont'd:", 'contact', 'contemplated', 'contemplates', 'contemporary', 'contemptuous', 'contented', 'contest', 'continued', 'continuing', 'continuum', 'contract', 'contractors', 'control', 'convenient', 'conversation', 'conversations', 'conversion', 'convinced', 'cooker', 'cookies', 'cooking', 'cool', 'cooler', 'cop', 'cops', 'copy', 'corkscrew', 'corkscrews', 'corn', 'corner', 'corporate', 'corporation', 'corpses', 'correct', 'correcting', 'correction', 'cosmetics', 'cost', 'costume', "costume's", 'cotton', 'couch', 'cough', 'coughs', 'could', "could've", "couldn't", 'count', 'counter', 'counterfeit', "countin'", 'counting', 'country', 'country-fried', 'countryman', 'county', 'couple', 'coupon', 'courage', 'course', 'court', 'courteous', 'courthouse', 'courts', 'cousin', 'cover', 'covering', 'covers', 'cow', 'coward', 'cowardly', 'cowboy', 'cowboys', 'coy', 'coyly', 'cozies', 'cozy', 'crab', 'crack', 'cracked', 'craft', 'cranberry', 'crank', 'crap', 'craphole', 'crapmore', 'crappy', 'crawl', "crawlin'", 'crayola', 'crayon', 'crazy', 'cream', 'created', 'creates', 'creature', 'credit', 'creeps', 'creepy', 'creme', 'crestfallen', 'crew', 'cricket', 'cries', 'crime', 'crimes', 'criminal', 'crinkly', 'crippling', 'crisis', 'cronies', 'crony', 'crooks', 'cross-country', 'crossed', 'crotch', 'crow', 'crowbar', 'crowd', 'crowd:', 'crowded', 'crowds', 'crowned', 'cruel', 'cruise', 'cruiser', 'crumble', 'crummy', 'crunch', 'crushed', 'crying', 'crystal', "cuckold's", 'cuckoo', 'cuddling', 'cueball', 'cuff', 'culkin', 'cummerbund', 'cup', 'cupid', "cupid's", 'curds', 'cure', 'curiosity', 'curious', 'curse', 'cursed', 'cushion', 'cushions', 'customer', 'customers', 'customers-slash-only', 'cut', 'cute', 'cutest', 'cutie', 'cutting', 'cuz', 'cyrano', 'd', "d'", "d'ya", 'daaaaad', 'dad', "dad's", 'daddy', 'dads', 'dae', 'dallas', 'damage', 'dame', 'dames', 'dammit', 'damn', 'damned', 'dan', 'dan_gillick:', 'dana_scully:', 'dance', 'dancing', 'dang', 'dangerous', 'daniel', 'danish', 'dank', 'danny', 'darjeeling', 'dark', 'darkest', 'darkness', 'darn', 'darts', 'dash', 'dashes', 'data', 'date', 'dateline', 'dateline:', 'dating', 'daughter', "daughter's", 'david', 'david_byrne:', 'dawning', 'day', 'days', 'dazed', 'de', 'de-scramble', 'dea-d-d-dead', 'deacon', 'dead', 'deadly', 'deal', 'dealer', 'dealie', 'deals', 'dealt', 'dean', 'dear', 'dearest', 'death', 'debonair', 'decadent', 'decency', 'decent', 'decide', 'decide:', 'decided', 'decision', 'declan', 'declan_desmond:', 'declare', 'declared', 'dee-fense', 'deep', 'deeper', 'deeply', 'deer', 'defeated', 'defected', 'defensive', 'defiantly', 'degradation', 'dejected', 'dejected_barfly:', 'delays', 'delete', 'deli', 'deliberate', 'deliberately', 'delicate', 'delicately', 'delicious', 'delighted', 'delightful', 'delightfully', 'delivery', 'delivery_boy:', 'delivery_man:', 'delts', 'demand', 'demo', 'democracy', 'democrats', 'dennis', 'dennis_conroy:', 'dennis_kucinich:', 'denser', 'dentist', 'denver', 'deny', 'department', "department's", 'depending', 'depository', 'depressant', 'depressed', "depressin'", 'depressing', 'depression', 'der', 'derek', 'derisive', 'deserve', 'design', 'designated', 'designer', 'desire', 'desperate', 'desperately', 'despite', 'dessert', 'destroyed', 'detail', 'detecting', 'detective', 'detective_homer_simpson:', 'determined', 'devastated', 'developed', 'device', 'devils:', 'dexterous', 'diablo', 'dials', 'diamond', 'diaper', 'diapers', 'dice', 'dictating', 'dictator', 'did', 'diddilies', "didn't", 'die', 'die-hard', 'died', 'dies', 'diet', 'diets', 'difference', 'different', 'difficult', 'dig', 'digging', 'dignified', 'dignity', 'dilemma', 'dime', 'diminish', 'dimly', "dimwit's", 'ding-a-ding-ding-a-ding-ding', 'ding-a-ding-ding-ding-ding-ding-ding', 'dingy', 'dinks', 'dinner', 'dint', 'dipping', 'direction', 'directions', 'director', 'director:', 'dirge-like', 'dirt', 'dirty', 'disappear', 'disappeared', 'disappointed', 'disappointing', 'disappointment', 'disapproving', 'disaster', 'disco', 'disco_stu:', 'discriminate', 'discuss', 'discussing', 'disdainful', 'disgrace', 'disgraceful', 'disgracefully', 'disguise', 'disguised', 'disgusted', 'dishonor', 'dishrag', 'disillusioned', 'dislike', 'dismissive', 'dispenser', 'displeased', 'disposal', "disrobin'", 'distance', 'distaste', 'distinct', 'distract', 'distraught', 'distributor', 'disturbance', 'disturbing', 'ditched', 'dive', 'divine', 'diving', 'divorced', 'dizer', 'dizzy', 'dna', 'do', 'doctor', "doctor's", 'does', "doesn't", 'dog', "dog's", 'dogs', "doin'", 'doing', 'doll', 'doll-baby', 'dollar', 'dollars', 'dollface', "dolph's_dad:", 'domed', 'domestic', 'don', "don't", "don'tcha", 'donate', 'donated', "donatin'", 'donation', 'done', 'done:', 'donor', 'donut', 'donut-shaped', 'donuts', 'doof', 'doom', 'doooown', 'door', 'doors', 'doppler', 'doreen', 'doreen:', 'dory', 'double', 'doubt', 'doug:', 'dough', 'down', 'doy', 'dozen', 'dr', 'dracula', 'drag', 'drains', 'dramatic', 'dramatically', 'drank', 'drapes', 'draw', 'drawer', "drawin'", 'drawing', 'drawn', 'dreamed', 'dreamily', 'dreams', 'dreamy', 'dreary', 'drederick', 'dregs', 'dress', 'dressed', 'dressing', "drexel's", 'drift', 'drink', 'drinker', "drinkin'", 'drinking', 'drinking:', 'drinks', 'drive', 'driveability', 'driver', 'drivers', 'drives', "drivin'", 'driving', 'drollery', 'droning', 'drop', 'drop-off', 'dropped', 'dropping', 'drove', 'drown', 'drug', 'drummer', 'drunk', 'drunkening', 'drunkenly', 'drunks', 'dry', 'dryer', 'du', 'ducked', 'dude', 'due', 'duel', "duelin'", 'duff', "duff's", 'duff_announcer:', 'duffed', 'duffman', 'duffman:', 'duh', 'duke', 'dull', 'dum-dum', 'dumb', 'dumb-asses', 'dumbass', 'dumbbell', 'dumbest', 'dump', 'dumpster', 'dumptruck', 'dungeon', 'dunno', 'during', 'dutch', 'duty', "dyin'", 'dying', 'dynamite', 'dyspeptic', 'düff', 'düffenbraus', 'e', 'e-z', 'each', 'eager', 'ear', 'earlier', 'early', 'earpiece', 'earrings', 'ears', 'earth', 'ease', 'easier', 'easily', 'east', 'easter', 'easy', 'easy-going', 'easygoing', 'eat', 'eaten', 'eaters', "eatin'", 'eating', 'eats', 'ebullient', 'ech', 'eco-fraud', 'ecru', 'eddie', 'eddie:', 'edelbrock', 'edge', 'edgy', 'edison', 'edna', "edna's", 'edna-lover-one-seventy-two', 'edna_krabappel-flanders:', 'edner', 'ees', 'effect', 'effects', 'effervescence', 'effervescent', 'effigy', 'egg', 'eggs', 'eggshell', 'eh', 'ehhh', 'ehhhhhh', 'ehhhhhhhh', 'ehhhhhhhhh', 'eight', 'eight-year-old', 'eightball', 'eighteen', 'eighty-five', 'eighty-one', 'eighty-seven', 'eighty-six', 'eighty-three', 'einstein', 'either', 'el', 'elaborate', 'elder', 'elect', 'election', 'electronic', 'elephants', 'eleven', 'eliminate', 'elite', 'elizabeth', 'elmer', "elmo's", 'elocution', 'else', 'elves:', 'email', 'embarrassed', 'embarrassing', 'emergency', 'eminence', 'emotion', 'emotional', 'emphasis', 'employees', 'employment', 'emporium', 'empty', 'enabling', 'encore', 'encores', 'encouraged', 'encouraging', 'end', 'endorse', 'endorsed', 'endorsement', 'ends', 'enemies', 'enemy', 'energy', 'enforced', 'engine', 'england', "england's", 'english', 'engraved', 'enhance', 'enjoy', 'enjoyed', "enjoyin'", 'enjoys', 'enlightened', 'enough', 'enter', 'entering', 'enterprising', 'entertainer', 'enthused', 'enthusiasm', 'enthusiastically', 'entire', 'entirely', 'entrance', 'enveloped', 'environment', 'envy-tations', 'equal', 'equivalent', 'er', 'erasers', 'error', 'errrrrrr', 'escort', 'especially', 'espn', 'espousing', 'estranged', 'etc', 'eternity', 'eu', 'european', 'eurotrash', 'eva', 'evasive', 'eve', 'even', 'evening', 'event', 'eventually', 'ever', 'evergreen', 'every', 'everybody', 'everyday', 'everyone', "everyone's", 'everything', 'everywhere', 'evil', 'evils', 'ew', 'eww', 'exact', 'exactly', 'examines', 'example', 'examples', 'exasperated', 'excavating', 'excellent', 'except', 'exception:', 'exchange', 'exchanged', 'excited', 'excitement', 'exciting', 'exclusive:', 'excuse', 'excuses', 'executive', 'exhale', 'exhaust', 'exhibit', 'exit', 'exited', 'exits', 'expect', 'expecting', 'expense', 'expensive', 'experience', 'experienced', 'experiments', 'expert', 'expired', 'explain', 'explaining', 'explanation', 'exploiter', 'expose', 'express', 'expression', 'exquisite', 'extended', 'extinguishers', 'extra', 'extract', 'extreme', 'extremely', 'exultant', 'eye', 'eye-gouger', 'eyeball', 'eyeballs', 'eyed', 'eyeing', 'eyes', 'eyesore', 'f', 'f-l-a-n-r-d-s', 'fabulous', 'face', 'face-macer', 'facebook', 'faced', 'faceful', 'faces', 'fact', 'factor', 'fad', 'faded', 'fail', 'failed', 'failure', 'faint', 'fainted', 'fair', 'faith', 'faiths', 'fake', 'falcons', 'fall', "fallin'", 'falling', 'falsetto', 'familiar', 'family', "family's", 'family-owned', 'famous', 'fan', 'fanciest', 'fancy', 'fans', "fans'll", 'fantastic', 'fantasy', 'far', 'farewell', 'farthest', 'fast', 'fast-food', 'fast-paced', 'fastest', 'fat', 'fat-free', 'fat_in_the_hat:', 'fat_tony:', 'father', "father's", 'fatso', 'fatty', 'faulkner', 'fault', 'fausto', 'favor', 'favorite', 'fayed', 'fbi', 'fbi_agent:', 'fdic', 'fears', 'feast', 'feat', 'federal', 'feed', 'feedbag', 'feel', "feelin's", 'feeling', 'feelings', 'feels', 'feet', 'feisty', 'feld', 'fell', 'fella', 'fellas', 'fellow', 'felony', 'felt', 'female_inspector:', 'feminine', 'femininity', 'feminist', 'fence', "fendin'", 'ferry', 'festival', 'fever', 'fevered', 'few', 'fica', 'fiction', 'fictional', 'field', 'fierce', 'fifteen', 'fifth', 'fifty', 'fight', 'fighter', "fightin'", 'fighting', 'fights', 'figure', 'figured', 'figures', 'fiiiiile', 'file', 'filed', 'fill', 'filled', 'fills', 'film', 'filth', 'filthy', 'finale', 'finally', 'finance', 'find', 'finding', 'fine', "fine-lookin'", 'finest', 'finger', 'fingers', 'finish', 'finished', 'finishing', 'fink', 'fire', 'fire_inspector:', 'fireball', 'fired', 'fires', 'fireworks', 'firing', 'firm', 'firmly', 'first', 'fish', "fishin'", 'fishing', 'fist', 'fistiana', 'fit', 'five', 'five-fifteen', 'fix', 'fixed', 'fixes', 'fl', 'flack', 'flag', 'flailing', 'flaking', 'flame', 'flames', 'flaming', 'flanders', 'flanders:', 'flash', 'flash-fry', 'flashbacks', 'flashing', 'flat', 'flatly', 'flayvin', 'flea:', 'fleabag', 'fledgling', 'fletcherism', 'flew', 'flexible', 'flips', 'floated', "floatin'", 'floating', 'floor', 'flophouse', 'flourish', 'flower', 'flowers', 'flown', 'fluoroscope', 'flush', 'flush-town', 'flustered', 'fly', 'flying', 'flynt', 'foam', 'focus', 'focused', 'foibles', 'foil', 'fold', 'folk', 'folks', 'follow', 'followed', 'following', 'fonda', 'fondest', 'fondly', 'fontaine', 'fonzie', 'food', 'foodie', 'fool', "foolin'", 'fools', 'foot', 'football', "football's", 'football_announcer:', 'for', 'forbidden', 'forbids', 'force', 'forced', 'ford', 'forecast', 'forehead', 'forever', 'forget', 'forget-me-drinks', 'forget-me-shot', 'forgets', 'forgive', 'forgiven', 'forgot', 'forgotten', 'fork', 'form', 'formico', 'formico:', 'fortensky', 'fortress', 'fortune', 'forty', 'forty-five', 'forty-nine', 'forty-seven', 'forty-two', 'forward', 'found', 'foundation', 'founded', 'fountain', 'four', 'four-drink', 'four-star', 'fourteen:', 'fourth', 'fox', 'fox_mulder:', 'fragile', 'france', 'frankenstein', 'frankie', 'frankly', 'frat', 'fraud', 'frazier', 'freak', 'freaking', 'freaky', 'free', 'freed', 'freedom', 'freely', 'freeze', 'french', 'frenchman', 'frescas', 'fresco', 'fresh', 'freshened', 'friction', 'friday', 'fridge', 'friend', "friend's", 'friend:', 'friendly', 'friends', 'friendship', 'frightened', 'fringe', 'frink', 'frink-y', 'fritz', 'fritz:', 'frog', 'frogs', 'from', 'front', 'frontrunner', 'frosty', 'frozen', 'fruit', 'frustrated', 'fry', "fryer's", 'fudd', 'fuhgetaboutit', 'full', 'full-blooded', 'full-bodied', 'full-time', 'fulla', 'fumes', 'fumigated', 'fun', "fun's", 'fund', 'funds', 'funeral', 'funniest', 'funny', 'furious', 'furiously', 'furniture', 'furry', 'further', 'fury', 'fuss', 'fustigate', 'fustigation', 'future', 'fuzzlepitch', 'fwooof', "g'ahead", "g'night", "g'on", 'ga', 'gabriel', 'gabriel:', 'gag', 'gags', 'gal', 'gallon', 'gals', 'gamble', 'gambler', 'game', "game's", 'games', "games'd", 'gang', 'gangrene', 'garbage', 'gardens', 'gargoyle', 'gargoyles', 'gary:', 'gary_chalmers:', 'gas', 'gasoline', 'gasp', 'gasps', 'gator', 'gator:', 'gave', 'gay', 'gayer', 'gear-head', 'gee', 'gees', 'geez', 'gel', 'general', 'generally', 'generosity', 'generous', 'generously', 'genius', 'gentle', "gentleman's", 'gentleman:', 'gentlemen', 'gentles', 'gently', 'genuinely', 'george', 'german', 'germans', 'germany', 'germs', 'gestated', 'gesture', 'get', 'getaway', 'getcha', 'gets', "gettin'", 'getting', "getting'", 'getup', 'geyser', 'geysir', 'gheet', 'ghouls', 'giant', 'gibson', 'gift', 'gift:', 'gifts', 'gig', 'giggle', 'giggles', 'gil_gunderson:', 'gimme', 'gimmick', 'gimmicks', 'gin', 'gin-slingers', 'ginger', 'girl', 'girl-bart', 'girlfriend', 'girls', 'give', 'given', 'gives', 'giving', 'glad', 'glamour', 'glass', 'glasses', 'glee', 'glen', 'glen:', 'glitterati', 'glitz', 'gloop', 'glorious', 'glove', 'glowers', 'glum', 'glummy', 'gluten', 'glyco-load', 'go', 'go-near-', 'goal', 'goblins', 'god', 'goes', "goin'", 'going', 'gol-dangit', 'gold', 'goldarnit', 'golden', 'golf', 'gone', 'gonna', 'goo', 'good', 'good-looking', 'goodbye', 'goodnight', 'goods', 'goodwill', 'gordon', 'gore', 'gorgeous', 'gosh', 'gossipy', 'got', 'gotcha', 'gotta', 'gotten', 'government', 'gr-aargh', 'grab', 'grabbing', 'grabs', 'grace', 'grade', 'grain', 'grains', 'grammar', 'grammy', 'grammys', 'grampa', 'grampa_simpson:', 'grand', 'grandiose', 'grandkids', 'grandmother', "grandmother's", 'grandé', 'granted', 'grants', 'grateful', 'grave', 'graves', 'graveyard', 'grease', 'great', 'greatest', 'greatly', 'greedy', 'greetings', 'gregor', 'grenky', 'grey', 'greystash', 'grienke', 'grieving', 'griffith', 'grim', 'grimly', 'grin', 'grinch', 'grind', 'groan', 'groans', 'grocery', 'groin', 'grope', 'ground', 'group', 'groveling', 'grow', 'growing', 'grrrreetings', 'grub', 'grubby', 'grudgingly', 'gruesome', 'gruff', 'grumbling', 'grumpy', 'grunt', 'grunts', 'guard', 'guess', 'guessing', 'guest', 'guff', 'guide', 'guilt', 'guiltily', 'guinea', 'gulliver_dark:', 'gulps', 'gum', 'gumbel', 'gumbo', 'gums', 'gun', 'gunk', 'guns', 'gunter', 'gunter:', 'gus', 'gut', 'gutenberg', 'guts', 'guttural', 'guy', "guy's", 'guys', 'guzzles', 'h', 'ha', 'ha-ha', 'habit', 'habitrail', 'had', "hadn't", 'hafta', 'hah', 'haikus', 'hail', 'hair', 'haircuts', 'hairs', 'haiti', 'half', 'half-back', 'half-beer', 'half-day', 'halfway', 'hall', 'halloween', 'halvsies', 'hammer', 'hammock', 'hammy', 'hampstead-on-cecil-cecil', 'hand', 'handed', 'handing', 'handle', 'handler', 'handling', 'handoff', 'hands', 'handshake', 'handsome', 'handwriting', "handwriting's", 'hang', "hangin'", 'hanging', 'hangout', 'hangover', 'hangs', 'hanh', 'hank_williams_jr', 'hans:', 'haplessly', 'happen', 'happened', 'happens', 'happier', 'happily', 'happily:', 'happiness', 'happy', 'har', 'hard', 'harder', 'hardhat', 'hardwood', 'hardy', 'hare-brained', 'harm', 'harmony', 'harrowing', 'harv', 'harv:', 'harvard', 'harvesting', 'harvey', 'has', "hasn't", 'hat', 'hate', 'hate-hugs', 'hated', 'hateful', 'hates', 'hats', 'have', "haven't", "havin'", 'having', 'haw', 'hawaii', "hawkin'", 'hawking:', 'haws', 'he', "he'd", "he'll", "he's", 'head', 'head-gunk', 'headhunters', 'heading', 'heads', 'heals', 'health', 'health_inspector:', 'healthier', 'hear', 'heard', 'hearing', 'hears', 'hearse', 'heart', 'heart-broken', 'heartily', 'heartless', 'hearts', "heat's", 'heather', 'heatherton', 'heave-ho', 'heaven', 'heavens', 'heaving', 'heavyset', 'heavyweight', 'heck', 'heh', 'heh-heh', 'held', 'helen', 'helicopter', 'heliotrope', 'hell', "hell's", 'hellhole', 'helllp', 'hello', 'help', 'helped', 'helpful', 'helping', 'helpless', 'helps', 'hemoglobin', 'hemorrhage-amundo', 'hems', 'henry', 'her', 'here', "here's", 'here-here-here', 'hero', 'hero-phobia', 'heroism', 'hers', 'herself', 'hexa-', 'hey', 'hi', 'hibachi', 'hibbert', 'hidden', 'hide', 'hideous', 'hiding', 'high', 'high-definition', "high-falutin'", 'highball', 'higher', 'highest', 'highway', 'hike', 'hilarious', 'hillary', 'hillbillies', 'hilton', 'him', 'himself', 'hippies', 'hired', 'hiring', 'his', 'hispanic_crowd:', 'history', 'hit', 'hitchhike', 'hitler', 'hits', 'hiya', 'hm', 'hmf', 'hmm', 'hmmm', 'hmmmm', 'ho', 'ho-la', 'ho-ly', 'hoagie', 'hoax', 'hobo', "hobo's", 'hockey-fight', 'hold', 'holding', 'holds', 'hole', "hole'", 'holiday', 'holidays', 'hollowed-out', 'hollye', 'hollywood', 'holy', 'home', 'homeland', 'homeless', 'homer', "homer'll", "homer's", "homer's_brain:", 'homer_', 'homer_doubles:', 'homer_simpson:', 'homers', 'homesick', 'homie', 'homunculus', 'honest', 'honey', 'honeys', 'honor', 'honored', 'hoo', 'hooch', 'hook', 'hooked', 'hooky', 'hooray', 'hooters', 'hootie', 'hop', 'hope', 'hoped', 'hopeful', 'hoping', 'hops', 'horns', 'horribilis', 'horrible', 'horrified', 'horror', 'horrors', 'horses', 'hose', 'hospital', 'host', 'hostages', 'hostile', 'hosting', 'hot', 'hot-rod', 'hotel', 'hotenhoffer', 'hotline', 'hottest', 'hounds', 'hour', 'hourly', 'hours', 'house', 'housewife', 'housework', 'housing', 'how', "how'd", "how're", "how's", 'however', 'howya', 'hub', 'hubub', 'huddle', 'hug', 'huge', 'huggenkiss', 'hugh', 'hugh:', 'huh', 'huhza', 'human', 'humanity', 'humiliation', 'hundred', 'hundreds', 'hunger', 'hungry', 'hunka', 'hunky', 'hunter', 'hunting', 'hurry', 'hurt', 'hurting', 'hurts', 'husband', 'hushed', 'hustle', 'hyahh', 'hydrant', 'hygienically', 'hyper-credits', 'i', "i'd", "i'd'a", "i'll", "i'm", "i'm-so-stupid", "i'unno", "i've", 'i-i', "i-i'll", "i-i'm", 'i-i-i', 'i/you', 'ice', 'icelandic', 'icy', 'iddilies', 'idea', "idea's", 'ideal', 'idealistic', 'ideas', 'idioms', 'idiot', 'idiots', 'if', 'ignorance', 'ignorant', 'ignoring', 'ihop', 'illegal', 'illegally', 'illustrates', 'image', 'imaginary', 'imagine', 'imitating', 'immiggants', 'impatient', 'impeach', 'impending', 'important', 'imported-sounding', 'impress', 'impressed', 'improv', 'improved', 'in', 'in-ground', 'in-in-in', 'inanely', 'incapable', 'incarcerated', 'inches', 'inclination', 'including', 'incognito', 'increased', 'increasingly', 'incredible', 'incredulous', 'incriminating', 'indecipherable', 'indeed', 'indeedy', 'index', 'indicates', 'indifference', 'indifferent', 'indigenous', 'indignant', 'industry', "industry's", 'ineffective', 'inexorable', 'infatuation', 'infestation', 'infiltrate', 'inflated', 'influence', 'infor', 'informant', 'information', 'ing', 'ingested', 'ingrates', 'ingredient', 'inherent', 'initially', 'injury', 'inning', 'innocence', 'innocent', 'innocuous', 'inquiries', 'insecure', 'insensitive', 'inserted', 'inserts', 'inside', 'insightful', 'insist', 'inspection', 'inspector', 'inspire', 'inspired', 'inspiring', 'installed', 'instantly', 'instead', 'instrument', 'insulin', 'insulted', 'insults', 'insurance', 'insured', 'intakes', 'intelligent', 'intense', 'intention', 'interested', 'interesting', 'international', 'internet', 'interrupting', 'intervention', 'intimacy', 'into', 'intoxicants', 'intoxicated', 'intrigued', 'intriguing', 'introduce', 'intruding', 'invented', 'investigating', 'investment', 'investor', 'invisible', 'invite', 'invited', 'involved', 'involving', 'invulnerable', 'iran', 'iranian', 'ireland', 'irish', 'irishman', 'ironed', 'ironic', 'irrelevant', 'irs', 'is', 'is:', 'island', 'isle', "isn't", 'isotopes', 'issues', 'issuing', 'it', "it'd", "it'll", "it's", 'it:', 'italian', 'itchy', 'item', 'items', 'its', 'itself', 'ivana', 'ivanna', 'ivory', 'ivy-covered', 'j', 'jack', 'jack_larson:', 'jackass', "jackpot's", 'jackpot-thief', 'jacks', 'jackson', 'jacksons', 'jacques', 'jacques:', 'jaegermeister', 'jail', 'jailbird', 'jam', 'jamaican', 'james', 'jams', 'jane', 'janette', 'japanese', 'jar', 'jasper_beardly:', 'jay', 'jay:', 'jay_leno:', 'jazz', 'je', 'jebediah', 'jeers', 'jeez', 'jeff', 'jeff_gordon:', 'jelly', 'jer', 'jerk', 'jerk-ass', 'jerking', 'jerks', 'jerky', 'jernt', 'jerry', 'jesus', 'jeter', 'jets', 'jewelry', 'jewish', 'jig', 'jigger', "jimbo's_dad:", 'jimmy', 'job', 'jobless', 'jobs', 'jockey', 'joe', 'joey', 'joey_kramer:', 'jogging', 'john', 'johnny', 'johnny_carson:', 'join', 'joined', 'joining', 'joint', 'joke', 'jokes', 'joking', 'jolly', 'journey', 'jovial', 'joy', 'juan', 'jubilant', 'jubilation', 'judge', 'judge_snyder:', 'judges', 'judgments', 'juice', 'juke', 'jukebox', 'jukebox_record:', 'julep', 'julienne', 'jump', 'jumping', 'jumps', 'junebug', 'junior', 'junkyard', 'jury', 'just', 'justice', 'justify', 'jägermeister', 'k', 'k-zug', 'kadlubowski', 'kahlua', 'kako:', 'kang:', 'kansas', 'karaoke', 'karaoke_machine:', 'kay', 'kazoo', "kearney's_dad:", 'kearney_zzyzwicz:', 'keep', 'keeping', 'keeps', 'kegs', 'kemi', 'kemi:', 'ken:', 'kennedy', 'kenny', 'kent', 'kent_brockman:', 'kentucky', 'kept', 'kermit', 'key', 'keys', 'kick', 'kick-ass', 'kicked', 'kickoff', 'kicks', 'kid', "kid's", "kiddin'", 'kidding', 'kidnaps', 'kidney', 'kidneys', 'kids', "kids'", 'kill', 'killarney', 'killed', 'killer', 'killing', 'killjoy', 'kills', 'kim_basinger:', 'kind', 'kinda', 'kinderhook', 'kindly', 'kinds', 'king', 'kings', 'kirk', 'kirk_van_houten:', 'kirk_voice_milhouse:', 'kiss', 'kissed', 'kisser', 'kisses', 'kissing', 'kissingher', 'kitchen', 'kl5-4796', 'klingon', 'klown', 'kneeling', 'knees', 'knew', 'knife', 'knit', 'knives', 'knock', 'knock-up', 'knocked', "knockin'", 'knocks', 'know', 'knowing', 'knowingly', 'knowledge', 'known', 'knows', 'knuckle-dragging', 'knuckles', 'kodos:', 'koholic', 'koi', 'koji', 'kool', 'korea', 'krabappel', 'kramer', 'krusty', 'krusty_the_clown:', 'kucinich', 'kwik-e-mart', 'kyoto', 'l', 'la', 'label', 'labels', 'labor', 'lachrymose', 'ladder', 'ladies', "ladies'", 'lady', "lady's", 'lady-free', 'lady_duff:', 'lager', 'laid', 'lainie:', 'lame', 'lance', 'land', 'landfill', 'landlord', 'lanes', 'laney', 'laney_fontaine:', 'language', 'languages', 'lap', 'laramie', 'lard', 'large', 'larry', "larry's", 'larry:', 'larson', 'las', 'last', 'late', 'lately', 'later', 'latin', 'latour', 'laugh', 'laughing', 'laughs', 'laughter', 'launch', 'law', 'law-abiding', 'laws', 'lawyer', 'lay', 'layer', 'lazy', 'lead', 'leak', 'leans', 'lear', 'learn', 'learned', 'lease', 'least', 'leathery', 'leave', "leavin'", 'leaving', 'lecture', 'led', 'lee', 'left', 'leftover', "lefty's", 'leg', 'legal', 'legally', 'legend', 'legoland', 'legs', 'legs:', 'lemme', 'lemonade', 'len-ny', 'lend', 'lenford', 'lenny', "lenny's", 'lenny:', 'lenny_leonard:', 'lennyy', 'leno', 'lenses', 'leonard', 'leprechaun', 'less', 'lessee', 'lessons', 'let', "let's", 'letter', 'letters', 'level', 'lewis', 'liability', 'liable', 'liar', 'lib', "liberty's", 'libido', 'libraries', 'license', 'lie', 'lied', 'life', "life's", 'life-extension', 'life-partner', 'life-sized', 'life-threatening', 'life:', 'lifestyle', 'lifetime', 'lift', 'lifters', "liftin'", 'lifts', 'light', 'lighten', 'lighter', 'lighting', 'lights', 'like', 'likes', 'lily-pond', 'limber', 'lime', 'limericks', 'limited', 'limits', 'lincoln', 'linda', 'linda_ronstadt:', 'lindsay', 'lindsay_naegle:', 'line', 'ling', 'lingus', "linin'", 'links', 'lipo', 'lips', 'liquor', 'lis', 'lisa', "lisa's", 'lisa_simpson:', 'lise:', 'liser', 'list', 'listen', 'listened', "listenin'", 'listening', 'listens', 'lists', 'literary', 'literature', 'little', 'little_hibbert_girl:', 'little_man:', 'live', 'liven', 'liver', 'lives', "livin'", 'living', 'lizard', 'lloyd', 'lloyd:', 'load', 'loaded', 'loafers', 'loan', 'loathe', 'loboto-moth', 'lobster', 'lobster-based', 'lobster-politans', 'local', 'located', 'lock', 'locked', 'locklear', 'lodge', 'lofty', 'log', 'logos', 'lone', 'loneliness', 'lonely', 'long', 'longer', 'longest', 'look', 'lookalike', 'lookalike:', 'lookalikes', 'looked', "lookin'", 'looking', 'looks', 'looooooooooooooooooong', 'looser', 'looting', 'lord', 'lorre', 'los', 'lose', 'loser', 'losers', 'losing', 'loss', 'lost', 'lot', 'lots', 'lotsa', 'lotta', 'lottery', 'lou', 'lou:', 'loud', 'louder', 'loudly', 'louie:', 'louisiana', 'louse', 'lousy', 'love', 'love-matic', 'loved', 'lovejoy', 'lovelorn', 'lovely', 'lover', 'lovers', "lovers'", 'loves', 'low', 'low-blow', 'low-life', 'lowering', 'lowers', 'lowest', 'loyal', 'lucinda', 'lucius', 'lucius:', 'luck', 'luckiest', 'luckily', 'lucky', 'lugs', 'lump', 'lumpa', 'lungs', 'lurks', 'lurleen', 'lurleen_lumpkin:', 'lush', 'lushmore', 'luv', 'luxury', 'lying', 'm', 'ma', "ma'am", "ma's", 'mabel', 'mac-who', 'macaulay', 'macbeth', 'macgregor', 'machine', 'macho', 'mad', 'made', 'madison', 'madman', 'madonna', 'mafia', 'magazine', 'maggie', "maggie's", 'magic', 'magnanimous', 'mags', 'mahatma', 'maher', 'maiden', 'mail', 'mailbox', 'maintenance', 'maitre', 'majesty', 'majority', 'make', 'make:', 'makes', "makin'", 'making', 'malabar', 'male_inspector:', 'male_singers:', 'malfeasance', 'malibu', 'mall', 'malted', 'maman', 'mamma', 'man', "man'd", "man's", "man's_voice:", 'man:', 'man_at_bar:', 'man_with_crazy_beard:', 'man_with_tree_hat:', 'manage', 'managed', 'manager', 'managing', 'manatee', 'manboobs', 'manchego', 'manfred', 'manipulation', 'manjula', 'manjula_nahasapeemapetilon:', 'mansions', 'manuel', 'many', 'march', 'marched', 'margarita', 'marge', "marge's", 'marge_simpson:', 'marguerite:', 'mariah', 'marjorie', 'market', 'marmaduke', 'marquee', 'marriage', 'married', 'marry', 'marshmallow', 'martini', 'marvelous', 'marvin', 'mary', 'masks', 'mason', 'massachusetts', 'massage', 'massive', 'match', 'mate', 'mater', 'material', 'mathis', 'matter', 'matter-of-fact', 'maude', 'maxed', 'maximum', 'may', 'maya', 'maya:', 'mayan', 'maybe', 'mayor', 'mayor_joe_quimby:', 'mcbain', 'mccall', 'mccarthy', 'mcclure', 'mckinley', 'mcstagger', "mcstagger's", 'me', 'meal', 'meals', 'mean', "meanin'", 'meaning', 'meaningful', 'meaningfully', 'meaningless', 'means', 'meant', 'meanwhile', 'measure', 'measurements', 'meatpies', "mecca's", 'mechanical', 'media', 'medical', 'medicine', 'medieval', 'meditative', 'mediterranean', 'meet', 'meeting', 'mel', 'mellow', 'melodramatic', 'memories', 'memory', 'men', "men's", 'men:', 'menace', 'menacing', 'menlo', 'mention', 'merchants', 'mess', 'message', "messin'", 'met', 'metal', 'meteor', 'methinks', 'mexican', 'mexican_duffman:', 'mexicans', 'meyerhof', 'mic', 'mice', 'michael', 'michael_stipe:', 'michelin', 'mickey', 'microbrew', 'micronesian', 'microphone', 'microwave', 'mid-conversation', 'mid-seventies', 'middle', 'midge', 'midge:', 'midnight', 'might', 'mike', 'mike_mills:', 'mild', 'miles', 'milhouse', 'milhouse_van_houten:', 'milhouses', 'military', 'militia', 'milk', 'milks', 'mill', 'million', 'mimes', 'mind', 'mind-numbing', 'mindless', 'mine', 'mines', 'mini-beret', 'mini-dumpsters', 'minimum', 'minister', 'minors', 'mint', 'minus', 'minute', 'minutes', 'miracle', 'mirror', 'mirthless', 'mis-statement', 'misconstrue', 'miserable', 'misfire', 'miss', 'miss_lois_pennycandy:', 'missed', 'missing', 'mission', 'mistake', 'mistakes', 'mister', 'mistresses', 'mither', 'mitts', 'mix', 'mixed', 'mm', 'mm-hmm', 'mmm', 'mmm-hmm', 'mmmm', 'mmmmm', "mo'", 'moan', 'moans', 'mob', 'mobile', 'mock', 'mock-up', 'mocking', 'model', 'modern', 'modest', 'modestly', 'moe', "moe's", "moe's_thoughts:", 'moe-clone', 'moe-clone:', 'moe-heads', 'moe-lennium', 'moe-near-now', 'moe-ron', 'moe_recording:', 'moe_szyslak:', 'moesy', 'mole', 'mom', 'moment', 'moments', 'mommy', 'mona_simpson:', 'monday', 'money', "money's", 'monkey', 'monkeyshines', 'monorails', 'monroe', "monroe's", 'monster', 'month', 'months', 'montrer', 'moolah-stealing', 'moon', 'moon-bounce', 'moonlight', 'moonnnnnnnn', 'moonshine', 'mop', "mopin'", 'more', 'morlocks', 'morning', 'morning-after', 'moron', 'morose', 'mortal', 'mortgage', 'most', 'most:', 'mostly', 'mostrar', 'motel', 'mother', "mother's", 'motor', 'motorcycle', 'motto', 'mount', 'mountain', 'mouse', 'moustache', 'mouth', 'mouths', 'move', 'moved', 'movement', 'movie', 'movies', 'moving', 'moxie', 'mozzarella', 'mr', 'mrs', 'mt', "mtv's", 'much', 'mudflap', 'muertos', 'muffled', 'mug', 'mugs', 'muhammad', 'mulder', 'mull', 'multi-national', 'multi-purpose', 'multiple', 'mumble', 'mumbling', 'municipal', 'mural', 'murdered', 'murderously', 'murdoch', 'murmur', 'murmurs', "murphy's", 'muscle', 'muscles', 'museum', 'mushy', 'music', 'musical', 'musketeers', 'muslim', 'musses', 'must', "must've", 'musta', 'mustard', 'muttering', 'my', 'my-y-y-y-y-y', 'myself', 'mystery', 'na', 'nachos', 'naegle', 'nagurski', 'nah', 'nahasapeemapetilon', 'nail', 'nailed', 'naively', 'naked', 'name', 'name:', 'named', 'nameless', 'names', 'nantucket', 'nap', 'napkins', 'nards', "narratin'", 'narrator:', 'nasa', 'nascar', 'nash', 'nasty', 'nation', 'natural', 'naturally', 'nature', 'natured', 'nauseous', 'naval', 'navy', 'nbc', 'ne', 'neanderthal', 'near', 'nearly', 'neat', "neat's-foot", 'necessary', 'neck', 'necklace', 'nectar', 'ned', 'ned_flanders:', 'need', 'needed', 'needs', 'needy', 'negative', 'neighbor', "neighbor's", 'neighboreeno', 'neighborhood', 'neighbors', 'neil_gaiman:', 'nein', 'neither', 'nelson', 'nelson_muntz:', 'nemo', 'neon', 'nerd', 'nerve', 'nervous', 'nervously', 'network', 'nevada', 'never', 'new', 'new_health_inspector:', 'newest', 'newly-published', 'news', 'newsies', 'newsletter', 'newspaper', 'newsweek', 'next', 'nfl_narrator:', 'nibble', 'nice', 'nicer', 'nick', "nick's", 'nickel', 'nickels', 'nigel_bakerbutcher:', 'nigeria', 'nigerian', 'night', 'night-crawlers', 'nightmare', 'nightmares', 'nine', 'nineteen', 'ninety-eight', 'ninety-nine', 'ninety-seven', 'ninety-six', 'ninth', 'nitwit', "nixon's", 'no', 'nobel', 'noble', 'nobody', 'nods', 'noggin', 'noise', 'noises', 'nominated', 'non-american', 'non-losers', 'nonchalant', 'nonchalantly', 'none', 'nonsense', 'nooo', 'noooooooooo', 'noose', 'noosey', 'nope', 'nor', 'nordiques', 'normal', 'normals', 'north', 'norway', 'nos', 'nose', 'not', 'notably', 'notch', "nothin'", "nothin's", 'nothing', 'notice', 'notices', 'noticing', 'notorious', 'novel', 'novelty', 'november', 'now', "now's", 'nuclear', 'nucular', 'nudge', 'nuked', 'number', "number's", 'numbers', 'numeral', 'nurse', 'nursemaid', 'nuts', 'não', 'o', "o'", "o'clock", "o'problem", "o'reilly", 'oak', 'obama', 'obese', 'oblivious', 'oblongata', 'obsessive-compulsive', 'obvious', 'occasion', 'occasional', 'occupancy', 'occupation', 'occupied', 'occurred', 'occurrence', 'occurs', 'ocean', 'octa-', 'odd', 'oddest', 'odor', 'of', 'off', 'offa', 'offended', 'offense', 'offensive', 'offer', 'office', 'officer', 'official', 'officials', 'offshoot', 'often', 'oh', 'oh-ho', 'oh-so-sophisticated', 'ohh', 'ohhhh', 'ohmygod', 'oil', 'oils', 'ointment', 'okay', "ol'", 'old', 'old-time', 'old_jewish_man:', 'older', 'olive', 'ollie', 'omigod', 'ominous', 'omit', 'on', 'onassis', 'once', 'one', "one's", 'one-hour', 'ones', 'onion', 'onions', 'online', 'only', 'ons', 'onto', 'oof', 'ooh', 'ooo', 'oooh', 'oooo', 'oopsie', 'op', 'open', 'open-casket', 'opening', 'opens', 'operation', 'opportunity', 'optimistic', 'option', 'options', 'or', 'order', 'ordered', 'orders', 'ore', 'organ', 'orgasmville', 'orifice', 'original', 'orphan', 'othello', 'other', "other's", 'other_book_club_member:', 'other_player:', "others'", 'otherwise', 'ought', 'oughta', 'oughtta', 'our', 'ourselves', 'out', 'outlive', 'outlook', 'outrageous', 'outs', 'outside', 'outstanding', 'outta', 'over', 'over-pronouncing', 'overflowing', 'overhearing', 'overstressed', 'overturned', 'ow', 'owe', 'owes', 'own', 'owned', 'owner', 'owns', 'oww', 'p', 'p-k', 'pack', 'package', 'packets', 'pad', 'padre', 'padres', 'page', 'pageant', 'pages', 'paid', 'pain', 'pained', 'painless', 'paint', 'painted', 'painting', 'paintings', 'paints', 'pair', 'pajamas', 'pal', 'pall', 'palm', 'palmerston', 'pancakes', 'panicked', 'panicky', 'panties', 'pantry', 'pants', 'pantsless', 'papa', 'paparazzo', 'paper', 'para', 'paramedic:', 'parasol', 'pardon', 'parenting', 'parents', 'paris', 'park', 'parked', 'parking', 'parrot', 'part', 'part-time', 'partially', 'partly', 'partner', 'partners', 'party', 'pas', 'pass', 'passed', 'passenger', 'passes', 'passion', 'passports', 'past', 'pasta', 'paste', 'patented', 'pathetic', 'patient', "patrick's", 'patriotic', 'patron_#1:', 'patron_#2:', 'patrons', 'patrons:', 'pats', 'patterns', 'patting', 'patty', 'patty_bouvier:', 'pause', 'pawed', 'pay', 'payback', 'payday', "payin'", 'paying', 'payments', 'pays', 'peabody', 'peace', 'peach', 'peaked', 'peanut', 'peanuts', 'pee', 'peeping', 'peeved', 'pen', 'penmanship', 'pennies', 'penny', 'people', "people's", 'pep', 'pepper', 'peppers', 'peppy', 'pepsi', 'pepto-bismol', 'per', 'percent', 'perch', 'perfect', 'perfected', 'perfume', 'perfunctory', 'perhaps', 'period', 'perking', 'permanent', 'permitting', 'pernt', 'perplexed', 'persia', 'person', 'personal', 'perverse', 'perverted', 'perón', 'peter', 'peter_buck:', 'pets', 'pews', 'pfft', 'pharmaceutical', 'phase', 'phasing', 'philip', 'philosophic', 'philosophical', 'phlegm', 'phone', "phone's", 'phony', 'photo', 'photographer', 'photos', 'phrase', 'physical', 'pian-ee', 'piano', 'pick', 'picked', "pickin'", 'pickle', 'pickled', 'pickles', 'picky', 'picnic', 'picture', 'pictured', 'piece', 'pig', 'pigs', 'pigtown', 'pile', 'piling', 'pillows', 'pills', 'pilsner-pusher', 'pin', 'pinball', 'pinchpenny', 'pine', 'ping-pong', 'pink', 'pint', 'pip', 'pipe', 'pipes', 'pirate', 'pissed', 'pit', 'pitch', 'pitcher', 'pity', 'pizza', 'pizzicato', 'place', 'placed', 'placing', 'plain', 'plaintive', 'plan', 'plane', 'planet', "plank's", 'planned', 'planning', 'plans', 'plant', 'planted', 'plants', "plaster's", 'plastered', 'plastic', 'platinum', 'play', 'play/', 'played', 'players', 'playful', 'playhouse', "playin'", 'playing', 'playoff', 'pleading', 'pleasant', 'please', 'please/', 'pleased', 'pleasure', 'pledge', 'plenty', 'plotz', 'plow', 'plucked', 'plug', 'plum', 'plums', 'plus', 'plywood', 'pocket', 'pockets', 'poem', 'poet', 'poetics', 'poetry', 'poin-dexterous', 'point', 'pointed', 'pointedly', 'pointing', 'pointless', 'points', 'pointy', 'poison', "poisonin'", 'poisoning', 'poke', 'poker', 'poking', 'polenta', 'police', 'polish', 'polishing', 'polite', 'politician', 'politicians', 'politics', 'polls', 'polygon', 'pond', 'pontiff', 'pool', 'poor', 'poorer', 'pop', 'pope', "pope's", 'poplar', 'popped', 'popping', 'popular', 'population', 'porn', 'portentous', 'portfolium', 'portuguese', 'position', 'positive', 'possessions', 'possibly', 'post-suicide', 'poster', 'potato', 'potatoes', 'poulet', "poundin'", 'pour', 'poured', 'pouring', 'power', 'powered', 'powerful', 'powers', 'practically', 'practice', 'praise', 'prank', 'prayer', 'prayers', 'pre-columbian', 'pre-game', 'pre-recorded', 'precious', 'predecessor', 'predictable', 'prefer', 'pregnancy', 'prejudice', 'premiering', 'premise', 'prep', 'preparation', 'prepared', 'present', 'presentable', 'presently', 'presents', 'presided', 'president', "president's", 'presidential', 'presidents', 'press', 'presses', 'pressure', "pressure's", 'presto:', 'presumir', 'pretend', 'pretending', 'pretends', 'pretentious_rat_lover:', 'prettied', 'prettiest', 'pretty', 'pretzel', 'pretzels', 'price', 'priceless', 'prices', 'pride', 'pridesters:', 'priest', 'prime', 'prince', 'princess', 'princesses', 'principal', 'principles', 'prints', 'priority', 'prison', 'privacy', 'private', 'prize', 'prizefighters', 'pro', 'probably', 'problem', 'problemo', 'problems', 'procedure', 'process', 'produce', 'producers', 'product', 'products', 'professional', 'professor', "professor's", 'professor_jonathan_frink:', 'profiling', 'program', 'progress', 'prohibit', 'project', 'prolonged', 'promise', 'promised', 'promotion', 'prompting', 'pronounce', 'pronto', 'proof', 'proper', 'propose', 'proposing', 'proposition', 'protecting', 'protestantism', 'protesters', 'protesting', 'proud', 'proudly', 'prove', 'proves', 'provide', 'psst', 'pub', 'public', 'publish', 'published', 'publishers', 'pudgy', 'puff', 'puffy', 'pugilist', 'puke', 'puke-holes', 'puke-pail', 'pulitzer', 'pull', 'pulled', "pullin'", 'pulling', 'pulls', 'pumping', 'punch', 'punches', 'punching', 'punishment', 'punk', 'punkin', 'pure', 'purse', 'pursue', 'purveyor', 'pus-bucket', 'push', 'pushes', 'pushing', 'pusillanimous', 'pussycat', 'put', 'puts', "puttin'", 'putting', 'putty', 'puzzle', 'puzzled', 'pyramid', 'quadruple-sec', 'quality', 'quarry', 'quarter', 'quarterback', 'quebec', 'queen', "queen's", 'queer', 'quero', 'question', 'quick', 'quick-like', 'quickly', 'quiet', 'quietly', 'quimby', 'quimby_#2:', 'quimbys:', 'quit', 'quitcher', 'quite', 'quotes', 'r', 'rabbits', 'raccoons', 'race', 'racially-diverse', 'radiation', 'radiator', 'radical', 'radio', 'radioactive', 'radishes', 'rafter', 'rafters', 'rag', 'rage', 'raggie', "raggin'", "ragin'", 'raging', 'ragtime', 'railroad', 'railroads', 'rain', 'rainbows', 'rainforest', 'rainier', 'rainier_wolfcastle:', 'raining', 'raise', 'raises', 'raising', 'raking', 'ralph', 'ralph_wiggum:', 'ralphie', 'ram', 'ran', 'rancid', 'random', 'rap', 'rapidly', 'rascals', 'rash', 'rasputin', "rasputin's", 'rat', 'rat-like', 'rather', 'ratio', 'rationalizing', 'rats', 'ratted', 're-al', 're:', 'reach', 'reached', 'reaches', 'reaching', 'reaction', 'reactions', 'read', 'read:', 'reader', "readin'", 'reading', 'reading:', 'reads', 'ready', 'real', 'reality', 'realize', 'realized', 'realizing', 'really', 'reason', 'reasonable', 'reasons', 'rebuilt', 'rebuttal', 'recall', 'recap:', 'recent', 'recently', 'recipe', 'reciting', 'reckless', 'recommend', 'reconsidering', 'record', 'recorded', 'recorder', 'recreate', 'recruiter', 'rector', 'red', 'reed', 'reentering', 'ref', 'referee', 'refiero', 'refill', 'refinanced', 'reflected', 'refresh', 'refreshing', 'refreshingness', 'refreshment', 'refund', 'register', 'regret', 'regretful', 'regretted', 'regulars', 'regulations', 'rekindle', 'relationship', 'relative', 'relax', 'relaxed', 'relaxing', 'release', 'releases', 'releasing', 'reliable', 'relieved', 'religion', 'religious', 'reluctant', 'reluctantly', 'rem', 'remain', 'remaining', 'remains', 'remember', 'remembered', 'remembering', 'remembers', 'reminded', 'reminds', 'remodel', 'remorseful', 'remote', 'renders', 'renee', "renee's", 'renee:', 'renew', "renovatin'", 'renovations', 'rent', 'rented', "rentin'", 'reopen', 'repairman', 'repay', 'repeated', 'repeating', 'replace', 'replaced', 'reporter', 'reporter:', 'represent', 'represents', 'repressed', 'reptile', 'researching', 'resenting', 'reserve', 'reserved', 'resigned', 'resist', 'resolution', 'respect', 'rest', 'restaurant', 'restaurants', 'restless', 'restroom', 'result', 'results', 'retain', 'retired', 'return', 'reunion', 'rev', 'revenge', 'reviews', 'reward', 'rewound', 'reynolds', 'rhode', 'rhyme', 'ribbon', 'rice', 'rich', 'richard', 'richard:', 'richer', 'rickles', 'rid', 'ride', 'ridiculous', "ridin'", 'riding', 'rife', 'rig', 'righ', 'right', 'right-handed', 'rims', 'ring', 'ringing', 'rings', 'rip', 'rip-off', 'ripcord', 'ripped', 'ripper', 'ripping', 'risqué', 'rivalry', 'riveting', 'roach', 'road', 'rob', 'robbers', "robbin'", 'robin', 'robot', 'rock', 'rockers', 'rocks', 'rods', 'roll', 'rolled', 'roller', 'rolling', 'rolls', 'rom', 'romance', 'romantic', 'rome', 'ron', 'ron_howard:', 'ronstadt', 'roof', 'rookie', 'room', 'roomy', 'root', 'rope', 'roses', 'rosey', 'rotch', 'rotten', 'rough', 'round', "round's", 'rounds', 'routine', 'row', 'roy', 'royal', 'roz', 'roz:', 'rub', 'rub-a-dub', 'rubbed', 'rubs', 'ruby-studded', 'rude', 'rueful', 'rug', 'rugged', 'ruin', 'ruined', 'ruint', 'rule', 'ruled', 'rules', 'rumaki', 'rummy', 'rumor', 'rump', 'run', 'runaway', 'runners', 'running', 'runs', 'runt', 'rupert_murdoch:', 'rush', "rustlin'", 'rusty', 'rutabaga', 'ruuuule', 's', "s'cuse", "s'okay", "s'pose", 's-a-u-r-c-e', 'sabermetrics', 'sacajawea', 'sack', 'sacrifice', 'sacrilicious', 'sad', 'sadder', 'sadistic_barfly:', 'sadly', 'safe', 'safecracker', 'safely', 'safer', 'safety', 'saga', 'sagacity', 'sagely', 'saget', 'said', 'said:', 'sail', 'saint', 'salad', 'salary', 'sale', 'sales', 'salt', 'salvador', 'salvation', 'sam:', 'same', 'sampler', 'samples', 'sanctuary', 'sandwich', 'sang', 'sangre', 'sanitary', 'sanitation', 'santa', "santa's", 'santeria', 'sap', 'sarcastic', 'sass', 'sassy', 'sat', "sat's", 'sat-is-fac-tion', 'satisfaction', 'satisfied', 'saturday', 'sauce', 'saucy', 'sausage', 'savagely', 'save', 'saved', 'saving', 'savings', 'savvy', 'saw', 'say', "sayin'", 'saying', 'says', 'scam', "scammin'", 'scanning', 'scare', 'scared', 'scarf', 'scary', 'scatter', 'scene', 'scent', 'schabadoo', 'schedule', 'schemes', 'schizophrenia', 'schmoe', 'schnapps', 'school', "school's", 'schorr', 'science', 'scientific', 'scientists', 'scoffs', 'scooter', 'score', 'scores', 'scornful', 'scornfully', 'scotch', 'scout', 'scram', 'scrape', 'scratcher', 'scratching', 'scream', 'screams', 'screw', 'screws', 'script', 'scrubbing', 'scruffy_blogger:', 'scrutinizes', 'scrutinizing', 'scully', 'scum', 'scum-sucking', 'sea', 'sealed', 'seamstress', 'searching', 'seas', 'season', 'seat', 'seats', 'sec', 'sec_agent_#1:', 'sec_agent_#2:', 'second', 'seconds', 'secret', "secret's", 'secrets', 'sector', 'securities', 'sedaris', 'seductive', 'see', "seein'", 'seeing', 'seek', 'seem', 'seemed', 'seems', 'seen', 'sees', 'sees/', 'seething', 'selection', 'selective', 'self', 'self-centered', 'self-esteem', 'self-made', 'self-satisfied', 'selfish', 'sell', 'selling', 'sells', 'selma', 'selma_bouvier:', 'semi-imported', 'seminar', 'sen', 'senator', 'senators', 'senators:', 'send', 'sending', 'sense', 'sensible', 'sensitivity', 'sent', 'sentimonies', 'separator', 'sequel', 'series', 'serious', 'seriously', 'serum', 'serve', 'served', 'service', 'sesame', 'set', 'sets', 'settled', 'settlement', 'settles', 'seven', 'severe', 'sex', 'sexton', 'sexual', 'sexy', 'seymour', 'seymour_skinner:', 'shack', 'shades', 'shag', 'shaggy', 'shaken', 'shaker', 'shakes', 'shakespeare', 'shaking', 'shaky', 'shall', 'shame', "shan't", 'shape', 'shard', 'share', 'shareholder', 'shares', 'sharing', 'sharity', 'shark', 'sharps', 'shaved', 'she', "she'd", "she'll", "she's", 'she-pu', 'sheepish', 'sheet', 'sheets', 'shelbyville', 'shelf', 'shells', 'sheriff', 'shesh', 'shhh', 'shifty', 'shill', 'shindig', 'shipment', 'shirt', 'shock', 'shocked', 'shoe', 'shoes', 'shoo', 'shoot', "shootin'", 'shooting', 'shoots', 'shop', 'shopping', 'shores', 'short', 'short_man:', 'shortcomings', 'shorter', 'shot', 'shotgun', 'should', "should've", 'shoulda', 'shoulder', 'shoulders', "shouldn't", 'shout', 'shove', 'show', "show's", 'show-off', 'showed', 'shower', 'showered', "showin'", 'showing', 'shows', 'shred', 'shreda', 'shrieks', 'shriners', 'shrugging', 'shrugs', 'shtick', 'shush', 'shut', 'shuts', 'shutting', 'shutup', 'shyly', 'si-lent', 'sick', 'sickened', 'sickens', 'sickly', 'side', 'side:', 'sidekick', 'sidelines', 'sideshow', 'sideshow_bob:', 'sideshow_mel:', 'sieben-gruben', 'sigh', 'sighs', 'sight', 'sight-unseen', 'sign', 'signal', 'signed', 'silence', 'silent', 'simon', 'simp-sonnnn', 'simple', 'simplest', 'simpson', 'simpsons', 'simultaneous', 'since', 'sincere', 'sincerely', 'sing', 'sing-song', 'singer', 'singers:', "singin'", 'singing', 'singing/pushing', 'single', 'single-mindedness', 'sings', 'sinister', 'sink', 'sinkhole', "sippin'", 'sips', 'sir', 'sissy', 'sister', 'sister-in-law', 'sisters', 'sistine', 'sit', 'sitar', 'sitcom', 'site', 'sits', "sittin'", 'sitting', 'situation', 'six', 'six-barrel', 'sixteen', 'sixty', 'sixty-five', 'sixty-nine', 'size', 'sizes', 'skeptical', 'sketch', 'sketching', 'skills', 'skin', 'skinheads', 'skinner', 'skinny', 'skins', 'skirt', 'skoal', 'skunk', 'sky', 'skydiving', 'slab', 'slap', 'slapped', 'slaps', 'slaves', 'slays', 'sledge-hammer', 'sleep', 'sleeping', 'sleeps', 'sleigh-horses', 'slender', 'slice', 'slick', 'slight', 'slightly', 'slim', 'slip', 'slipped', 'slit', 'slobbo', 'slobs', 'sloe', 'slogan', 'slop', 'sloppy', 'slot', 'slow', 'slugger', 'slurps', 'slurred', 'sly', 'slyly', "smackin'", 'small', 'small_boy:', 'smallest', 'smart', 'smell', 'smelling', 'smells', 'smelly', 'smile', 'smile:', 'smiled', 'smiles', 'smiling', 'smithers', 'smitty:', 'smoke', 'smoker', 'smokes', "smokin'", "smokin'_joe_frazier:", 'smooth', 'smoothly', 'smug', 'smuggled', 'smugglers', 'smurfs', 'snackie', 'snail', 'snake', 'snake-handler', 'snake_jailbird:', 'snap', "snappin'", 'snapping', 'snaps', 'snatch', 'sneak', 'sneaky', 'sneering', 'sneeze', 'snide', 'sniffing', 'sniffles', 'sniffs', 'sniper', 'snitch', 'snort', 'snorts', 'snotball', 'snotty', 'snout', 'snow', 'so', 'so-called', 'so-ng', 'soaked', "soakin's", 'soaking', 'soap', 'soaps', 'sob', 'sobbing', 'sober', 'sobo', 'sobriety', 'sobs', 'social', 'socialize', 'society', 'society_matron:', 'socratic', 'sodas', 'soft', 'softer', 'soir', 'sold', 'solely', 'solid', 'solo', 'solved', 'solves', 'some', 'somebody', "somebody's", 'someday', 'somehow', 'someone', "someone's", 'someplace', "somethin'", "somethin':", "somethin's", 'something', "something's", 'something:', 'sometime', 'sometimes', 'somewhere', 'son', "son's", 'son-of-a', 'song', 'soon', 'sooner', 'sooo', 'soot', 'soothing', 'sorry', 'sorts', 'sotto', 'soul', 'soul-crushing', 'sound', 'sounded', "soundin'", 'sounds', 'soup', 'souped', 'sour', 'source', 'south', 'southern', 'souvenir', 'space', 'space-time', 'spacey', "spaghetti-o's", 'spamming', 'spanish', 'spare', 'speak', "speakin'", 'speaking', 'special', 'specialists', 'specializes', 'specials', 'species', 'specific', 'specified', 'spectacular', 'speech', 'speed', 'spellbinding', 'spelling', 'spend', 'spender', 'spending', 'spent', 'sperm', 'spews', 'spied', "spiffin'", 'spilled', 'spine', 'spinning', 'spirit', 'spiritual', 'spit', 'spit-backs', 'spite', 'spits', 'spitting', 'splash', 'splattered', 'splendid', 'spoken', 'sponge', 'sponge:', 'sponsor', 'sponsoring', 'spooky', 'spoon', 'sport', 'sports', 'sports_announcer:', 'spot', 'spotting', 'spouses', 'sprawl', 'spread', 'spreads', 'springfield', "springfield's", 'spy', "spyin'", 'squabbled', 'squad', 'squadron', 'square', 'squashing', 'squeal', 'squeals', 'squeeze', 'squeezed', "squeezin'", 'squirrel', 'squirrels', 'squishee', 'st', 'stab', "stabbin'", 'stacey', 'stadium', 'stage', 'stagehand:', 'stagey', 'stagy', 'stained-glass', 'stairs', 'stalin', 'stalking', "stallin'", 'stalwart', 'stamp', 'stamps', 'stan', 'stand', 'standards', 'standing', 'stands', 'star', 'stares', 'starla', "starla's", 'starla:', 'starlets', 'stars', 'start', 'started', 'starters', "startin'", 'starting', 'startled', 'starts', 'startup', 'starve', 'starving', 'state', 'states', 'statesmanlike', 'station', 'stationery', 'statistician', 'stats', 'statue', 'statues', 'stay', 'stay-puft', 'stayed', "stayin'", 'staying', 'stays', 'steak', 'steal', "stealin'", 'stealings', 'steam', 'steamed', 'steaming', 'steampunk', 'steel', 'steely-eyed', 'stein-stengel-', 'steinbrenner', 'stengel', 'step', 'stepped', 'stern', 'sternly', 'stevie', 'stewart', 'stick', 'sticker', 'stickers', 'sticking', 'sticking-place', 'stiffening', 'still', 'stillwater:', 'stinger', 'stingy', 'stink', "stinkin'", 'stinks', 'stinky', 'stir', 'stirrers', 'stirring', 'stock', 'stocking', 'stole', 'stolen', 'stomach', 'stones', 'stonewall', 'stood', 'stooges', 'stool', 'stools', 'stop', 'stopped', 'stops', 'store', 'store-bought', 'stored', 'stores', 'stories', 'storms', 'story', 'straight', 'straighten', 'strain', 'straining', 'strains', 'stranger:', 'strangles', 'strap', 'strategizing', 'strategy', 'strawberry', 'street', 'streetcorner', 'streetlights', 'stretch', 'stretches', 'strictly', 'string', 'stripe', 'stripes', 'strips', 'strokkur', 'strolled', 'strong', 'strongly', 'struggling', 'stu', 'stuck', 'student', 'studied', 'studio', 'stuff', 'stumble', 'stunned', 'stupid', 'stupidest', 'stupidly', 'sturdy', 'suave', 'sub-monkeys', 'subject', 'subscriptions', 'suburban', 'successful', 'such', 'suck', 'sucked', 'sucker', 'sucking', 'sucks', 'sudden', 'suddenly', 'sudoku', 'suds', 'sue', 'sued', 'suffering', 'sugar', 'sugar-free', 'sugar-me-do', 'suicide', 'suing', 'suit', 'suits', 'sumatran', 'summer', "summer's", 'sun', 'sunday', 'sunglasses', 'sunk', 'sunny', 'super', 'super-genius', 'super-nice', 'super-tough', 'superdad', 'superhero', 'superior', 'supermarket', 'supermodel', 'superpower', 'supervising', 'supply', 'supplying', 'support', 'supports', 'suppose', 'supposed', 'supreme', 'sure', 'surgeonnn', 'surgery', 'surprise', 'surprised', 'surprised/thrilled', 'surprising', 'suru', 'survive', 'susie-q', 'suspect', 'suspended', 'suspenders', 'suspicious', 'suspiciously', 'sustain', 'swallowed', 'swamp', 'swan', 'swatch', 'swe-ee-ee-ee-eet', 'swear', 'sweat', 'sweater', 'sweaty', 'sweden', 'sweet', 'sweeter', 'sweetest', 'sweetheart', 'sweetie', 'sweetly', 'swell', 'swelling', 'swig', 'swigmore', 'swill', 'swimmers', 'swimming', 'swine', 'swings', "swishifyin'", 'swishkabobs', 'switch', 'switched', 'swooning', 'sympathetic', 'sympathizer', 'sympathy', 'symphonies', 'syndicate', 'synthesize', 'syrup', 'system', 'szyslak', 't-shirt', 'tab', "tab's", 'table', "table's", 'tablecloth', 'tabooger', 'tabs', 'tactful', 'tail', 'take', 'take-back', 'takeaway', 'taken', 'takes', "takin'", 'taking', 'tale', 'talk', 'talk-sings', 'talkative', 'talked', 'talkers', "talkin'", 'talking', 'tall', 'tang', 'tank', 'tanked-up', 'tanking', 'tap', "tap-pullin'", 'tape', 'tapered', 'tapestry', 'tapping', 'taps', 'tar-paper', 'tasimeter', 'taste', 'tastes', 'tasty', 'tatum', "tatum'll", 'taught', 'taunting', 'tavern', 'tax', 'taxes', 'taxi', 'taylor', 'teach', 'teacher', 'teacup', 'team', "team's", 'teams', 'tear', 'tearfully', 'tears', 'tease', 'technical', 'teddy', 'tee', 'teen', 'teenage', 'teenage_barney:', 'teenage_bart:', 'teenage_homer:', 'teeth', 'telegraph', 'telemarketing', 'telephone', 'television', 'tell', "tellin'", 'telling', 'tells', 'temp', 'temper', 'temple', 'temples', 'temporarily', 'tempting', 'ten', 'tender', 'tenor:', 'tense', 'tentative', 'tenuous', 'teriyaki', 'term', 'terminated', 'terrace', 'terrible', 'terrific', 'terrified', 'terrifying', 'territorial', 'terror', 'terrorizing', 'test', 'test-', 'test-lady', 'tester', "tester's", 'testing', 'texan', 'texas', 'text', 'th', 'th-th-th-the', 'tha', 'than', 'thank', 'thankful', 'thanking', 'thanks', 'thanksgiving', 'that', "that'd", "that'll", "that's", 'thawing', 'the', 'the_edge:', 'the_rich_texan:', 'theatah', 'theater', 'theatrical', 'their', 'them', 'theme', 'themselves', 'then', 'then:', 'theory', 'therapist', 'therapy', 'there', "there's", 'therefore', 'thesaurus', 'these', 'they', "they'd", "they'll", "they're", "they've", 'thighs', 'thing', "thing's", 'thing:', 'things', 'think', "thinkin'", 'thinking', 'thinks', 'third', 'thirsty', 'thirteen', 'thirty', 'thirty-five', 'thirty-nine', 'thirty-thousand', 'thirty-three', 'this', "this'll", 'this:', 'thnord', 'thomas', 'thorn', 'thorough', 'those', 'though', 'though:', 'thought', 'thought_bubble_homer:', 'thought_bubble_lenny:', 'thoughtful', 'thoughtfully', 'thoughtless', 'thoughts', 'thousand', 'thousand-year', 'thousands', 'threatening', 'three', 'three-man', 'threw', 'thrilled', 'throat', 'throats', 'through', 'throw', 'throwing', 'thrown', 'throws', 'thru', 'thrust', 'thumb', 'thunder', 'tick', 'ticket', 'tickets', 'ticks', 'tidy', 'tie', 'tied', 'tiger', 'tigers', 'tight', 'till', 'timbuk-tee', 'time', "time's", 'times', 'tin', 'tinkle', "tinklin'", 'tiny', 'tip', 'tips', 'tipsy', 'tire', 'tired', 'title', 'title:', 'to', 'toasting', 'tobacky', 'today', "today's", 'today/', 'toe', 'tofu', 'together', 'togetherness', 'toilet', 'tokens', 'told', 'toledo', 'tolerable', 'tolerance', 'tom', 'tomahto', 'tomato', 'tomatoes', 'tommy', 'tomorrow', "tomorrow's", 'toms', 'ton', 'tones', 'tongue', 'tonic', 'tonight', "tonight's", 'tons', 'tony', "tony's", 'too', 'took', "toot's", 'tooth', "tootin'", 'top', 'torn', 'tornado', 'toss', 'total', 'totalitarians', 'totally', 'touch', 'touchdown', 'touched', 'touches', 'tough', 'tourist', 'tow', 'tow-joes', 'tow-talitarian', 'toward', 'towed', 'town', "town's", 'toxins', 'toy', 'toys', 'tracks', 'trade', 'tradition', 'traditions', 'traffic', 'tragedy', 'trail', 'train', 'trainers', 'training', 'traitor', 'traitors', "tramp's", 'transfer', 'transmission', 'transylvania', 'trapped', 'trapping', 'trash', 'trashed', 'travel', 'treasure', 'treat', "treatin'", 'treats', 'tree', "tree's", 'tree_hoper:', 'treehouse', 'trees', 'tremendous', 'trench', 'trenchant', 'triangle', 'tribute', 'trick', 'tried', 'tries', 'trip', 'triple-sec', 'triumphantly', 'trivia', 'troll', 'trolls', 'tropical', 'trouble', 'troubles', 'troy', 'troy:', 'troy_mcclure:', 'truck', 'truck_driver:', 'trucks', 'true', 'trunk', 'trust', 'trusted', 'trustworthy', 'truth', 'try', "tryin'", 'trying', 'tsk', 'tsking', 'tubman', 'tuborg', 'tummies', 'tuna', 'tune', 'turkey', 'turlet', 'turn', 'turned', 'turning', 'turns', 'tv', "tv'll", "tv's", 'tv-station_announcer:', 'tv_announcer:', 'tv_daughter:', 'tv_father:', 'tv_husband:', 'tv_wife:', 'twelve', 'twelve-step', 'twelveball', 'twentieth', 'twenty', 'twenty-five', 'twenty-four', 'twenty-nine', 'twenty-six', 'twenty-two', 'twerpy', 'twice', 'twin', 'twins', 'two', 'two-drink', 'two-thirds-empty', 'tying', 'type', 'typed', 'typing', 'tyson/secretariat', 'u', 'u2:', 'ugh', 'uglier', 'ugliest', 'ugliness', 'ugly', 'uh', 'uh-huh', 'uh-oh', 'uhhhh', 'ultimate', 'um', 'umm', 'ummmmmmmmm', 'un-sults', 'unable', 'unattended', 'unattractive', 'unavailable', 'unbelievable', 'unbelievably', 'uncle', 'uncomfortable', 'uncreeped-out', 'undated', 'under', 'underbridge', 'undermine', 'underpants', 'understand', 'understanding', 'understood', 'understood:', 'underwear', 'undies', 'unearth', 'uneasy', 'unexplained', 'unfair', 'unfamiliar', 'unforgettable', 'unfortunately', 'unfresh', 'ungrateful', 'unhappy', 'unhook', 'uniforms', 'uninhibited', 'unintelligent', 'unison', 'united', 'universe', 'unjustly', 'unkempt', 'unless', 'unlike', 'unlocked', 'unlucky', 'unrelated', 'unsafe', 'unsanitary', 'unsourced', 'until', 'unusual', 'unusually', 'up', 'up-bup-bup', 'upbeat', 'updated', 'upgrade', 'upn', 'upon', 'upset', 'upsetting', 'ura', 'urban', 'urge', 'urinal', 'urine', 'us', 'use', 'used', 'uses', "usin'", 'using', 'usual', 'usually', 'utensils', 'utility', 'vacation', 'vacations', 'vacuum', "valentine's", 'valley', 'valuable', 'value', 'vampire', 'vampires', 'van', 'vance', 'vanities', 'various', 'vegas', 'vehicle', 'vengeance', 'vengeful', 'venom', 'ventriloquism', 'venture', 'verdict', 'vermont', 'versus', 'verticality', 'very', 'vestigial', 'veteran', 'veux', 'vicious', 'victim', 'victorious', 'victory', 'video', 'videotaped', 'view', 'vigilante', 'village', 'villanova', 'vin', 'vincent', 'violations', 'violin', 'virile', 'virility', 'virtual', 'visas', 'viva', 'vodka', 'voice', 'voice:', 'voice_on_transmitter:', 'voicemail', 'volunteer', 'vomit', 'voodoo', 'vote', 'voted', 'voters', 'voyager', 'vulgar', 'vulnerable', 'w', 'w-a-3-q-i-zed', 'wa', 'wacky', 'wad', 'wade_boggs:', 'wage', 'wagering', 'waist', 'wait', "wait'll", "waitin'", 'waitress', 'wake', 'wakede', 'waking-up', 'walk', 'walked', 'walking', 'walks', 'wall', 'wallet', "wallet's", 'wally', 'wally:', 'walther', 'walther_hotenhoffer:', 'waltz', 'wang', 'wangs', 'wanna', 'want', 'wantcha', 'wanted', 'wants', 'war', 'warily', 'warm_female_voice:', 'warmly', 'warmth', 'warn', 'warned', 'warning', 'warranty', 'warren', 'wars', 'was', 'wash', 'washed', 'washer', "washin'", 'washouts', "wasn't", 'waste', 'wasted', 'wasting', 'watashi', 'watch', 'watched', "watchin'", 'watching', 'water', 'watered', 'watered-down', 'waterfront', 'waters', 'watt', 'wave', 'way', 'way:', 'waylon', 'waylon_smithers:', 'wayne', 'wayne:', 'ways', 'wazoo', 'we', "we'd", "we'll", "we're", "we've", 'we-we-we', 'weak', 'wealthy', 'weapon', 'wear', "wearin'", 'wearing', 'wears', 'weary', 'weather', 'website', 'wedding', 'wednesday', 'week', 'weekend', 'weekly', 'weeks', 'weep', 'weight', 'weird', 'weirded-out', 'weirder', 'welcome', 'well', 'well-wisher', 'wells', 'wenceslas', 'went', 'were', "weren't", 'west', 'western', 'wh', 'wha', 'whaaa', 'whaaaa', 'whaddaya', 'whaddya', 'whale', 'wham', 'what', "what'd", "what'll", "what're", "what's", "what'sa", 'what-for', 'whatcha', 'whatchacallit', 'whatchamacallit', 'whatever', 'whatsit', 'whee', 'wheeeee', 'wheel', 'wheels', 'when', "when's", 'when-i-get-a-hold-of-you', 'whenever', 'where', "where'd", "where's", 'whether', 'which', 'while', 'whim', 'whining', 'whiny', 'whip', 'whirlybird', 'whisper', 'whispered', 'whispers', 'whistles', 'whistling', 'white', 'white_rabbit:', 'who', "who'da", "who'll", "who's", 'who-o-oa', 'whoa', 'whoa-ho', 'whoever', 'whole', 'wholeheartedly', 'whoo', 'whoopi', 'whoops', 'whose', 'whup', 'why', 'wide', 'widow', 'wiener', 'wieners', 'wienerschnitzel', 'wife', "wife's", 'wife-swapping', 'wiggle', 'wiggle-frowns', 'wiggum', 'wigs', 'wikipedia', 'wild', 'wildest', 'wildfever', 'will', 'william', 'williams', 'willing', 'willy', 'win', 'winces', 'winch', 'wind', 'winded', 'windelle', 'windex', 'window', 'windowshade', 'windshield', 'wine', 'wing', 'wings', 'winks', 'winner', 'winning', 'winnings', "wino's", 'wins', 'winston', 'wipe', 'wipes', 'wiping', 'wire', 'wisconsin', 'wise', 'wish', 'wish-meat', 'wishes', 'wishful', 'wishing', 'wistful', 'witches', 'with', 'without', 'without:', 'wittgenstein', 'witty', 'wizard', 'wobble', 'wobbly', 'woe:', 'wok', 'wolfcastle', 'wolfe', 'wolverines', 'wolveriskey', 'woman', 'woman:', 'woman_bystander:', 'womb', 'women', 'won', "won't", 'wonder', 'wondered', 'wonderful', "wonderin'", 'wondering', 'woo', 'woo-hoo', 'wood', 'woodchucks', 'wooden', 'wooooo', 'woooooo', 'woozy', 'word', 'wordloaf', 'words', 'wore', 'work', 'worked', 'workers', "workin'", 'working', 'works', 'world', "world's", 'world-class', 'worldly', 'worldview', 'worried', 'worry', 'worse', 'worst', 'worth', 'worthless', 'would', 'woulda', "wouldn't", "wouldn't-a", 'wound', 'wounds', 'wow', 'wowww', 'wrap', 'wrapped', 'wraps', 'wreck', 'wrecking', 'wrestle', 'wrestling', 'write', 'writer:', 'writers', "writin'", 'writing', 'written', 'wrong', 'wrote', 'wudgy', 'wuss', 'wussy', 'x', 'x-men', 'xanders', 'xx', 'y', "y'know", "y'money's", "y'see", 'y-you', 'ya', "ya'", 'yak', 'yammering', 'yap', 'yard', 'yards', 'yawns', 'ye', 'yea', 'yeah', 'year', "year's", 'years', 'yee-ha', 'yee-haw', 'yell', 'yelling', 'yello', 'yellow', 'yellow-belly', 'yells', 'yelp', 'yep', 'yes', 'yesterday', "yesterday's", 'yet', 'yew', "yieldin'", 'yo', 'yogurt', 'yoink', 'yoo', 'you', "you'd", "you'll", "you're", "you've", 'you-need-man', 'young', 'young_barfly:', 'young_homer:', 'young_marge:', 'young_moe:', 'youngsters', 'your', 'yours', 'yourse', 'yourself', 'yourselves', 'youse', 'youth', 'youuu', 'yuh-huh', 'yup', 'zack', 'ze-ro', 'zeal', 'zero', 'ziff', 'ziffcorp', 'zinged', 'zone', 'zoomed', '||comma||', '||dash||', '||exclamation_mark||', '||left_parentheses||', '||period||', '||question_mark||', '||quotation_mark||', '||return||', '||right_parentheses||', '||semicolon||', 'à']

probabilities

 [  2.45074330e-06   1.53499735e-09   1.67111258e-09 ...,   1.03331557e-04
   1.48768542e-09   1.69517034e-09]
['and']
and

The TV Script is Nonsensical

It's ok if the TV script doesn't make any sense. We trained on less than a megabyte of text. In order to get good results, you'll have to use a smaller vocabulary or get more data. Luckly there's more data! As we mentioned in the begging of this project, this is a subset of another dataset. We didn't have you train on all the data, because that would take too long. However, you are free to train your neural network on all the data. After you complete the project, of course.

Submitting This Project

When submitting this project, make sure to run all the cells before saving the notebook. Save the notebook file as "dlnd_tv_script_generation.ipynb" and save it as a HTML file under "File" -> "Download as". Include the "helper.py" and "problem_unittests.py" files in your submission.